size
int64
31
1.04M
ext
stringclasses
257 values
lang
stringclasses
87 values
max_stars_repo_name
stringlengths
4
116
max_stars_repo_licenses
sequencelengths
1
10
max_stars_count
float64
1
191k
max_issues_repo_name
stringlengths
4
116
max_issues_repo_licenses
sequencelengths
1
10
max_issues_count
float64
1
98.3k
max_forks_repo_name
stringlengths
4
136
max_forks_repo_licenses
sequencelengths
1
10
max_forks_count
float64
1
105k
text
stringlengths
31
1.04M
avg_line_length
float64
1.36
127k
max_line_length
int64
1
764k
alphanum_fraction
float64
0
1
code_readability
float64
0.8
0.99
token_len
int64
33
686k
201
bat
Batchfile
MizanUrp11/Qgis-Scripts
[ "MIT" ]
null
MizanUrp11/Qgis-Scripts
[ "MIT" ]
null
MizanUrp11/Qgis-Scripts
[ "MIT" ]
null
SET mydir=%cd% cd %mydir% md "Scanned Images" "Shapefile" "Freehand" "Webmap" "GCPs" "Shapefile/Angle Points" "Shapefile/Existing Pipeline" "Shapefile/Georeferenced Mauja" "Shapefile/Proposed Pipeline"
67
175
0.776119
0.803333
83
127
idr
Idris
timmyjose-study/idris-from-the-docs
[ "Unlicense" ]
null
timmyjose-study/idris-from-the-docs
[ "Unlicense" ]
null
timmyjose-study/idris-from-the-docs
[ "Unlicense" ]
null
module Prims %default total x : Int x = 94 foo : String foo = "Ninety-Four" bar : Char bar = 'Z' quux : Bool quux = False
7.9375
19
0.629921
0.806667
60
6,757
sol
Solidity
JBGaudemet/EnEchange
[ "MIT" ]
1
JBGaudemet/EnEchange
[ "MIT" ]
null
JBGaudemet/EnEchange
[ "MIT" ]
1
pragma solidity ^0.4.24; import "./ERC721.sol"; import "./ERC721BasicToken.sol"; import "../../introspection/SupportsInterfaceWithLookup.sol"; /** * @title Full ERC721 Token * This implementation includes all the required and some optional functionality of the ERC721 standard * Moreover, it includes approve all functionality using operator terminology * @dev see https://github.com/ethereum/EIPs/blob/master/EIPS/eip-721.md */ contract ERC721Token is SupportsInterfaceWithLookup, ERC721BasicToken, ERC721 { // Token name string internal name_; // Token symbol string internal symbol_; // Mapping from owner to list of owned token IDs mapping(address => uint256[]) internal ownedTokens; // Mapping from token ID to index of the owner tokens list mapping(uint256 => uint256) internal ownedTokensIndex; // Array with all token ids, used for enumeration uint256[] internal allTokens; // Mapping from token id to position in the allTokens array mapping(uint256 => uint256) internal allTokensIndex; // Optional mapping for token URIs mapping(uint256 => string) internal tokenURIs; /** * @dev Constructor function */ constructor(string _name, string _symbol) public { name_ = _name; symbol_ = _symbol; // register the supported interfaces to conform to ERC721 via ERC165 _registerInterface(InterfaceId_ERC721Enumerable); _registerInterface(InterfaceId_ERC721Metadata); } /** * @dev Gets the token name * @return string representing the token name */ function name() external view returns (string) { return name_; } /** * @dev Gets the token symbol * @return string representing the token symbol */ function symbol() external view returns (string) { return symbol_; } /** * @dev Returns an URI for a given token ID * Throws if the token ID does not exist. May return an empty string. * @param _tokenId uint256 ID of the token to query */ function tokenURI(uint256 _tokenId) public view returns (string) { require(_exists(_tokenId)); return tokenURIs[_tokenId]; } /** * @dev Gets the token ID at a given index of the tokens list of the requested owner * @param _owner address owning the tokens list to be accessed * @param _index uint256 representing the index to be accessed of the requested tokens list * @return uint256 token ID at the given index of the tokens list owned by the requested address */ function tokenOfOwnerByIndex( address _owner, uint256 _index ) public view returns (uint256) { require(_index < balanceOf(_owner)); return ownedTokens[_owner][_index]; } /** * @dev Gets the total amount of tokens stored by the contract * @return uint256 representing the total amount of tokens */ function totalSupply() public view returns (uint256) { return allTokens.length; } /** * @dev Gets the token ID at a given index of all the tokens in this contract * Reverts if the index is greater or equal to the total number of tokens * @param _index uint256 representing the index to be accessed of the tokens list * @return uint256 token ID at the given index of the tokens list */ function tokenByIndex(uint256 _index) public view returns (uint256) { require(_index < totalSupply()); return allTokens[_index]; } /** * @dev Internal function to set the token URI for a given token * Reverts if the token ID does not exist * @param _tokenId uint256 ID of the token to set its URI * @param _uri string URI to assign */ function _setTokenURI(uint256 _tokenId, string _uri) internal { require(_exists(_tokenId)); tokenURIs[_tokenId] = _uri; } /** * @dev Internal function to add a token ID to the list of a given address * @param _to address representing the new owner of the given token ID * @param _tokenId uint256 ID of the token to be added to the tokens list of the given address */ function addTokenTo(address _to, uint256 _tokenId) internal { super.addTokenTo(_to, _tokenId); uint256 length = ownedTokens[_to].length; ownedTokens[_to].push(_tokenId); ownedTokensIndex[_tokenId] = length; } /** * @dev Internal function to remove a token ID from the list of a given address * @param _from address representing the previous owner of the given token ID * @param _tokenId uint256 ID of the token to be removed from the tokens list of the given address */ function removeTokenFrom(address _from, uint256 _tokenId) internal { super.removeTokenFrom(_from, _tokenId); // To prevent a gap in the array, we store the last token in the index of the token to delete, and // then delete the last slot. uint256 tokenIndex = ownedTokensIndex[_tokenId]; uint256 lastTokenIndex = ownedTokens[_from].length.sub(1); uint256 lastToken = ownedTokens[_from][lastTokenIndex]; ownedTokens[_from][tokenIndex] = lastToken; // This also deletes the contents at the last position of the array ownedTokens[_from].length--; // Note that this will handle single-element arrays. In that case, both tokenIndex and lastTokenIndex are going to // be zero. Then we can make sure that we will remove _tokenId from the ownedTokens list since we are first swapping // the lastToken to the first position, and then dropping the element placed in the last position of the list ownedTokensIndex[_tokenId] = 0; ownedTokensIndex[lastToken] = tokenIndex; } /** * @dev Internal function to mint a new token * Reverts if the given token ID already exists * @param _to address the beneficiary that will own the minted token * @param _tokenId uint256 ID of the token to be minted by the msg.sender */ function _mint(address _to, uint256 _tokenId) internal { super._mint(_to, _tokenId); allTokensIndex[_tokenId] = allTokens.length; allTokens.push(_tokenId); } /** * @dev Internal function to burn a specific token * Reverts if the token does not exist * @param _owner owner of the token to burn * @param _tokenId uint256 ID of the token being burned by the msg.sender */ function _burn(address _owner, uint256 _tokenId) internal { super._burn(_owner, _tokenId); // Clear metadata (if any) if (bytes(tokenURIs[_tokenId]).length != 0) { delete tokenURIs[_tokenId]; } // Reorg all tokens array uint256 tokenIndex = allTokensIndex[_tokenId]; uint256 lastTokenIndex = allTokens.length.sub(1); uint256 lastToken = allTokens[lastTokenIndex]; allTokens[tokenIndex] = lastToken; allTokens[lastTokenIndex] = 0; allTokens.length--; allTokensIndex[_tokenId] = 0; allTokensIndex[lastToken] = tokenIndex; } }
33.450495
120
0.714074
0.854674
2,004
5,995
scm
Scheme
tmu-nlp/sicp2014
[ "MIT" ]
4
tmu-nlp/sicp2014
[ "MIT" ]
null
tmu-nlp/sicp2014
[ "MIT" ]
null
;; Vect (define (make-vect x y) (cons x y)) (define (xcor-vect v) (car v)) (define (ycor-vect v) (cdr v)) (define (add-vect v1 v2) (make-vect (+ (xcor-vect v1) (xcor-vect v2)) (+ (ycor-vect v1) (ycor-vect v2)))) (define (sub-vect v1 v2) (make-vect (- (xcor-vect v1) (xcor-vect v2)) (- (ycor-vect v1) (ycor-vect v2)))) (define (scale-vect s v) (make-vect (* s (xcor-vect v)) (* s (ycor-vect v)))) ;; Frame (define (make-frame origin edge1 edge2) (list origin edge1 edge2)) (define (origin-frame frame) (car frame)) (define (edge1-frame frame) (cadr frame)) (define (edge2-frame frame) (caddr frame)) (define (frame-coord-map frame) (lambda (v) (add-vect (origin-frame frame) (add-vect (scale-vect (xcor-vect v) (edge1-frame frame)) (scale-vect (ycor-vect v) (edge2-frame frame)))))) ;; 描画用フレーム ;; 参考: http://www.serendip.ws/archives/816 (define (draw-line v1 v2) (display (xcor-vect v1)) (display ",") (display (ycor-vect v1)) (display ",") (display (xcor-vect v2)) (display ",") (display (ycor-vect v2)) (newline)) (define canvas-frame (make-frame (make-vect 0.0 0.0) (make-vect 400.0 0.0) (make-vect 0.0 400.0))) ;; Segment (define (make-segment v1 v2) (cons v1 v2)) (define (start-segment s) (car s)) (define (end-segment s) (cdr s)) ;; Painter (define (segments->painter segment-list) (lambda (frame) (for-each (lambda (segment) (draw-line ((frame-coord-map frame) (start-segment segment)) ((frame-coord-map frame) (end-segment segment)))) segment-list))) ;; フレームの辺の中点を結んで菱形を描くペインタ (define diamond->painter (let* ((v1 (make-vect 0.5 0.0)) (v2 (make-vect 0.0 0.5)) (v3 (make-vect 1.0 0.5)) (v4 (make-vect 0.5 1.0))) (segments->painter (list (make-segment v1 v2) (make-segment v1 v3) (make-segment v2 v4) (make-segment v3 v4))))) ;; wave ペインタ (define wave (segments->painter (list (make-segment (make-vect 0.35 0.85) (make-vect 0.40 1.00)) (make-segment (make-vect 0.65 0.85) (make-vect 0.60 1.00)) (make-segment (make-vect 0.35 0.85) (make-vect 0.40 0.65)) (make-segment (make-vect 0.65 0.85) (make-vect 0.60 0.65)) (make-segment (make-vect 0.60 0.65) (make-vect 0.75 0.65)) (make-segment (make-vect 0.40 0.65) (make-vect 0.30 0.65)) (make-segment (make-vect 0.75 0.65) (make-vect 1.00 0.35)) (make-segment (make-vect 0.60 0.45) (make-vect 1.00 0.15)) (make-segment (make-vect 0.60 0.45) (make-vect 0.75 0.00)) (make-segment (make-vect 0.50 0.30) (make-vect 0.60 0.00)) (make-segment (make-vect 0.30 0.65) (make-vect 0.15 0.60)) (make-segment (make-vect 0.30 0.60) (make-vect 0.15 0.40)) (make-segment (make-vect 0.15 0.60) (make-vect 0.00 0.85)) (make-segment (make-vect 0.15 0.40) (make-vect 0.00 0.65)) (make-segment (make-vect 0.30 0.60) (make-vect 0.35 0.50)) (make-segment (make-vect 0.35 0.50) (make-vect 0.25 0.00)) (make-segment (make-vect 0.50 0.30) (make-vect 0.40 0.00))))) (define (transform-painter painter origin corner1 corner2) (lambda (frame) (let ((m (frame-coord-map frame))) (let ((new-origin (m origin))) (painter (make-frame new-origin (sub-vect (m corner1) new-origin) (sub-vect (m corner2) new-origin))))))) (define (rotate90 painter) (transform-painter painter (make-vect 1.0 0.0) (make-vect 1.0 1.0) (make-vect 0.0 0.0))) (define (rotate270 painter) (transform-painter painter (make-vect 0.0 1.0) (make-vect 0.0 0.0) (make-vect 1.0 1.0))) (define (beside painter1 painter2) (let ((split-point (make-vect 0.5 0.0))) (let ((painter-left (transform-painter painter1 (make-vect 0.0 0.0) split-point (make-vect 0.0 1.0))) (painter-right (transform-painter painter2 split-point (make-vect 1.0 0.0) (make-vect 0.5 1.0)))) (lambda (frame) (painter-left frame) (painter-right frame))))) ;; beside と同じ実装方法 (define (below painter1 painter2) (let ((split-point (make-vect 0.0 0.5))) (let ((painter-bottom (transform-painter painter1 (make-vect 0.0 0.0) (make-vect 1.0 0.0) split-point)) (painter-top (transform-painter painter2 split-point (make-vect 1.0 0.5) (make-vect 0.0 1.0)))) (lambda (frame) (painter-bottom frame) (painter-top frame))))) ;; beside と回転演算を利用した実装 (define (below painter1 painter2) (let ((left (rotate270 painter1)) (right (rotate270 painter2))) (rotate90 (beside left right)))) ;; 使用例 ((below diamond->painter wave) canvas-frame) ;; 200.0,0.0,0.0,100.0 ;; 200.0,0.0,400.0,100.0 ;; 0.0,100.0,200.0,200.0 ;; 400.0,100.0,200.0,200.0 ;; 140.0,370.0,160.0,400.0 ;; 260.0,370.0,240.0,400.0 ;; 140.0,370.0,160.0,330.0 ;; 260.0,370.0,240.0,330.0 ;; 240.0,330.0,300.0,330.0 ;; 160.0,330.0,120.0,330.0 ;; 300.0,330.0,400.0,270.0 ;; 240.0,290.0,400.0,230.0 ;; 240.0,290.0,300.0,200.0 ;; 200.0,260.0,240.0,200.0 ;; 120.0,330.0,60.0,320.0 ;; 120.0,320.0,60.0,280.0 ;; 60.0,320.0,0.0,370.0 ;; 60.0,280.0,0.0,330.0 ;; 120.0,320.0,140.0,300.0 ;; 140.0,300.0,100.0,200.0 ;; 200.0,260.0,160.0,200.0 ;;; 出力結果を http://sandbox.serendip.ws/sicp_drawing.html の ;;; 上から2つ目のテキストエリアにコピペし、"データ描画"を ;;; クリックして描かれる図形を確認する
28.14554
70
0.539116
0.801011
2,899
392
php
PHP
NativeCommunicationsLyon/AnalyticsTrackerBundle
[ "MIT" ]
null
NativeCommunicationsLyon/AnalyticsTrackerBundle
[ "MIT" ]
null
NativeCommunicationsLyon/AnalyticsTrackerBundle
[ "MIT" ]
null
<?php /* * This file is part of the AnalyticsTrackerBundle. * (c) 2011 Jirafe <http://www.jirafe.com> * * For the full copyright and license information, please view the LICENSE * file that was distributed with this source code. */ namespace Jirafe\Bundle\AnalyticsTrackerBundle; use Symfony\Component\HttpKernel\Bundle\Bundle; class JirafeAnalyticsTrackerBundle extends Bundle { }
21.777778
74
0.767857
0.844351
119
1,416
coffee
CoffeeScript
rapid-build/rapid-build
[ "MIT" ]
5
rapid-build/rapid-build
[ "MIT" ]
1
rapid-build/rapid-build
[ "MIT" ]
null
module.exports = (config, gulp, Task) -> promiseHelp = require "#{config.req.helpers}/promise" return promiseHelp.get() unless config.minify.css.styles # requires # ======== q = require 'q' minifyCss = require 'gulp-cssnano' log = require "#{config.req.helpers}/log" minOpts = safe: true mergeRules: false normalizeUrl: false # build does this, see absolute-css-urls runTask = (appOrRb) -> defer = q.defer() src = config.glob.dist[appOrRb].client.styles.all dest = config.dist[appOrRb].client.styles.dir gulp.src src .on 'error', (e) -> defer.reject e .pipe minifyCss minOpts .pipe gulp.dest dest .on 'end', -> defer.resolve message: 'completed: run task' defer.promise runExtraTask = (appOrRb) -> defer = q.defer() src = config.extra.minify[appOrRb].client.css return promiseHelp.get() unless src.length dest = config.dist[appOrRb].client.dir gulp.src src, base: dest .on 'error', (e) -> defer.reject e .pipe minifyCss minOpts .pipe gulp.dest dest .on 'end', -> message = "minified extra css in: #{config.dist.app.client.dir}" log.task message defer.resolve { message } defer.promise # API # === api = runTask: -> q.all([ runTask 'rb' runTask 'app' runExtraTask 'app' ]).then -> log: true message: "minified css in: #{config.dist.app.client.dir}" # return # ====== api.runTask()
25.285714
68
0.639831
0.86877
591
124
js
JavaScript
gdi2290/babar
[ "MIT" ]
null
gdi2290/babar
[ "MIT" ]
null
gdi2290/babar
[ "MIT" ]
null
'use strict'; angular.module('app.controllers') .controller('NavbarCtrl', function($scope) { $scope.hello = 'World'; });
17.714286
44
0.677419
0.803333
42
156
do
Stata
worldbank/DIME-MSIE-Workshop
[ "MIT" ]
6
samaddarsushmita/DIME-MSIE-Workshop
[ "MIT" ]
19
samaddarsushmita/DIME-MSIE-Workshop
[ "MIT" ]
7
* Install from locla pkg, you must download this first net install ipacheck, replace /// from("C:\Users\kbrkb\Downloads\high-frequency-checks-master\ado")
39
66
0.769231
0.854638
50
1,904
sas
SAS
jburke5/pyhcup
[ "MIT" ]
7
jburke5/pyhcup
[ "MIT" ]
null
jburke5/pyhcup
[ "MIT" ]
5
DATA FL_SASDC_1999_CHGS; INFILE EBCHGS LRECL = 146; LENGTH KEY 8 CHG1 6 CHG2 6 CHG3 6 CHG4 6 CHG5 6 CHG6 6 CHG7 6 CHG8 6 CHG9 6 CHG10 6 CHG11 6 ; LABEL KEY ='HCUP record identifier' CHG1 ='Detailed charges 1 (as received from source)' CHG2 ='Detailed charges 2 (as received from source)' CHG3 ='Detailed charges 3 (as received from source)' CHG4 ='Detailed charges 4 (as received from source)' CHG5 ='Detailed charges 5 (as received from source)' CHG6 ='Detailed charges 6 (as received from source)' CHG7 ='Detailed charges 7 (as received from source)' CHG8 ='Detailed charges 8 (as received from source)' CHG9 ='Detailed charges 9 (as received from source)' CHG10 ='Detailed charges 10 (as received from source)' CHG11 ='Detailed charges 11 (as received from source)' ; FORMAT KEY Z14. ; INPUT @1 KEY 14. @15 CHG1 N12P2F. @27 CHG2 N12P2F. @39 CHG3 N12P2F. @51 CHG4 N12P2F. @63 CHG5 N12P2F. @75 CHG6 N12P2F. @87 CHG7 N12P2F. @99 CHG8 N12P2F. @111 CHG9 N12P2F. @123 CHG10 N12P2F. @135 CHG11 N12P2F. ;
33.403509
75
0.389181
0.835217
636
369
g4
ANTLR
kchinnasamy/cs652
[ "BSD-3-Clause" ]
110
kchinnasamy/cs652
[ "BSD-3-Clause" ]
4
kchinnasamy/cs652
[ "BSD-3-Clause" ]
67
grammar Simple; @header { import org.antlr.symbols.*; } file returns [Scope scope] : (func|var)* EOF ; func returns [Scope scope] : 'def' name=ID '(' arg (',' arg)* ')' ':' block ; arg : ID ; body : (var|stat)* ; block returns [Scope scope] : '[' body ']' ; var : 'var' ID ; stat : 'print' ID | block ; ID : [a-z]+ ; WS : [ \r\t\n] -> skip ;
13.178571
50
0.517615
0.842925
156
1,579
css
CSS
sophiekoonin/semantic-html-examples
[ "MIT" ]
null
sophiekoonin/semantic-html-examples
[ "MIT" ]
null
sophiekoonin/semantic-html-examples
[ "MIT" ]
1
.wrapper { display: flex; flex-direction: column; height: 100vh; } body { font-size: 16px; font-family: Arial, Helvetica, sans-serif; min-height: 100vh; margin: 0; background-color: #79c6e4; } header { margin: 2rem 0; text-align: center; } main { background-color: white; padding: 2rem; flex: 1; margin: 0 auto; display: flex; justify-content: center; max-width: 80%; } footer { text-align: center; margin: 2rem 0; } a { font-weight: bold; color: #6e1ea3; text-decoration: none; } a:hover { color: #972ae0; text-decoration: underline; } .nav { font-size: 1.2rem; width: 100%; justify-content: center; display: flex; list-style-type: none; padding: 0; margin: 0; } .nav li:not(:last-child) { margin-right: 1rem; } .group { margin-bottom: 1rem; } .button, .link-as-button { font-weight: bold; cursor: pointer; display: inline-flex; border-radius: 6px; border: none; background-color: darkslateblue; padding: 12px 8px; font-size: 0.9rem; color: white; } .button:hover, .link-as-button:hover { background-color: slateblue; color: white; } a.link-as-button { text-decoration: none; } .button-as-link { appearance: none; cursor: pointer; border: 0; background: none; font-size: 1rem; color: #6e1ea3; font-weight: bold; font-family: inherit; } .button-as-link:hover { text-decoration: underline; color: #972ae0; } dl { max-width: 50%; display: grid; grid-template-columns: 0.15fr 1fr; flex-direction: column; row-gap: 0.5rem; } dt { font-weight: bold; }
14.62037
44
0.649145
0.805004
707
2,097
idr
Idris
ska80/idris-jvm
[ "BSD-3-Clause" ]
128
ska80/idris-jvm
[ "BSD-3-Clause" ]
9
ska80/idris-jvm
[ "BSD-3-Clause" ]
8
import Data.Buffer import System.File import Debug.Buffer main : IO () main = do Just buf <- newBuffer 100 | Nothing => putStrLn "Buffer creation failed" s <- rawSize buf printLn s setInt32 buf 1 94 setString buf 5 "AAAA" val <- getInt32 buf 1 printLn val setDouble buf 10 94.42 val <- getDouble buf 10 printLn val let stringWithNULs = "string\NUL\NUL\NUL\NULcontaining 4 NULs" -- since the string contains only ASCII characters, `stringByteLength` -- should equal `length` putStrLn $ "bytes: " ++ show (stringByteLength stringWithNULs) putStrLn $ "characters: " ++ show (length stringWithNULs) setString buf 20 "Hello there!" val <- getString buf 20 5 printLn val val <- getString buf 26 6 printLn val setBits16 buf 32 65535 val <- getBits16 buf 32 printLn val ds <- bufferData buf printLn ds Right _ <- writeBufferToFile "test.buf" buf 100 | Left err => putStrLn "Buffer write fail" Right buf2 <- createBufferFromFile "test.buf" | Left err => putStrLn "Buffer read fail" ds <- bufferData buf2 printLn ds setByte buf2 0 1 Just ccBuf <- concatBuffers [buf, buf2] | Nothing => putStrLn "Buffer concat failed" printLn !(bufferData ccBuf) Just (a, b) <- splitBuffer buf 20 | Nothing => putStrLn "Buffer split failed" printBuffer a printBuffer b -- Put back when the File API is moved to C and these can work again -- Right f <- openBinaryFile "test.buf" Read -- | Left err => putStrLn "File error on read" -- Just buf3 <- newBuffer 99 -- | Nothing => putStrLn "Buffer creation failed" -- Right _ <- readBufferFromFile f buf3 100 -- | Left err => do putStrLn "Buffer read fail" -- closeFile f -- closeFile f
30.838235
79
0.561755
0.812157
650
429
c
C
zengfanmao/mpds
[ "MIT" ]
288
zengfanmao/mpds
[ "MIT" ]
24
zengfanmao/mpds
[ "MIT" ]
76
#include <stdio.h> #include "tpl.h" int main() { tpl_node *tn; double x,y; printf("sizeof(double) is %d\n", (int)sizeof(double)); tn = tpl_map("f",&x); x=1.0; tpl_pack(tn,0); tpl_dump(tn,TPL_FILE,"/tmp/test33.tpl"); tpl_free(tn); tn = tpl_map("f",&y); tpl_load(tn,TPL_FILE,"/tmp/test33.tpl"); tpl_unpack(tn,0); printf("y is %.6f\n", y); tpl_free(tn); return(0); }
17.875
58
0.547786
0.814739
213
437
lhs
Literate Haskell
ssbothwell/hcatlab
[ "BSD-3-Clause" ]
6
ssbothwell/myPrelude
[ "BSD-3-Clause" ]
null
ssbothwell/myPrelude
[ "BSD-3-Clause" ]
1
> module Typeclasses.Functor.Class where > import Data.Function = Functor The Functor class is used for types that can be mapped over. Instances of Functor should satisfy the following laws: == Laws ``` fmap id == id fmap (f . g) == fmap f . fmap g ``` == Typeclass > infixl 4 <$ > class Functor f where > {-# MINIMAL fmap #-} > fmap :: (a -> b) -> f a -> f b > (<$) :: a -> f b -> f a > (<$) a fb = fmap (const a) fb
18.208333
116
0.588101
0.815455
174
511
sol
Solidity
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
95.1 # This WEPP soil input file was made using USDA-SCS Soil-5 (1992) data # base. Assumptions: soil albedo=0.23, initial sat.=0.75. If you have # any question, please contact Reza Savabi, Ph: (317)-494-5051 # Soil Name: HEXT Rec. ID: TX0501 Tex.:fine sandy loam 1 1 'HEXT' 'FSL' 3 .23 .75 6021164.00 .013248 2.70 9.02 304.8 55.1 15.7 1.00 9.6 6.5 762.0 51.0 17.5 .33 8.8 9.6 1270.0 40.8 17.5 .11 8.8 51.2
46.454545
77
0.542074
0.816667
267
9,234
go
Go
abouroumine/blobber
[ "BSD-3-Clause" ]
null
abouroumine/blobber
[ "BSD-3-Clause" ]
null
abouroumine/blobber
[ "BSD-3-Clause" ]
null
package allocation import ( "context" "encoding/json" "net/http" "net/http/httptest" "os" "strings" "testing" "time" "github.com/0chain/blobber/code/go/0chain.net/blobbercore/datastore" "github.com/0chain/blobber/code/go/0chain.net/blobbercore/filestore" "github.com/0chain/blobber/code/go/0chain.net/core/chain" "github.com/0chain/blobber/code/go/0chain.net/core/common" "github.com/0chain/blobber/code/go/0chain.net/core/config" "github.com/0chain/blobber/code/go/0chain.net/core/logging" "github.com/0chain/gosdk/core/zcncrypto" "github.com/0chain/gosdk/zboxcore/client" zencryption "github.com/0chain/gosdk/zboxcore/encryption" "github.com/0chain/gosdk/zcncore" mocket "github.com/selvatico/go-mocket" "github.com/stretchr/testify/require" "go.uber.org/zap" "google.golang.org/grpc/metadata" ) type MockFileBlockGetter struct { filestore.IFileBlockGetter } var mockFileBlock []byte func (MockFileBlockGetter) GetFileBlock( fsStore *filestore.FileFSStore, allocationID string, fileData *filestore.FileInputData, blockNum int64, numBlocks int64) ([]byte, error) { return mockFileBlock, nil } func resetMockFileBlock() { mockFileBlock = []byte("mock") } var encscheme zencryption.EncryptionScheme func setupEncryptionScheme() { encscheme = zencryption.NewEncryptionScheme() mnemonic := client.GetClient().Mnemonic if _, err := encscheme.Initialize(mnemonic); err != nil { panic("initialize encscheme") } encscheme.InitForEncryption("filetype:audio") } func setup(t *testing.T) { // setup wallet w, err := zcncrypto.NewSignatureScheme("bls0chain").GenerateKeys() if err != nil { t.Fatal(err) } wBlob, err := json.Marshal(w) if err != nil { t.Fatal(err) } if err := zcncore.SetWalletInfo(string(wBlob), true); err != nil { t.Fatal(err) } // setup servers sharderServ := httptest.NewServer( http.HandlerFunc( func(w http.ResponseWriter, r *http.Request) { }, ), ) server := httptest.NewServer( http.HandlerFunc( func(w http.ResponseWriter, r *http.Request) { n := zcncore.Network{Miners: []string{"miner 1"}, Sharders: []string{sharderServ.URL}} blob, err := json.Marshal(n) if err != nil { t.Fatal(err) } if _, err := w.Write(blob); err != nil { t.Fatal(err) } }, ), ) if err := zcncore.InitZCNSDK(server.URL, "ed25519"); err != nil { t.Fatal(err) } } func init() { resetMockFileBlock() common.ConfigRateLimits() chain.SetServerChain(&chain.Chain{}) config.Configuration.SignatureScheme = "bls0chain" logging.Logger = zap.NewNop() dir, _ := os.Getwd() if _, err := filestore.SetupFSStoreI(dir+"/tmp", MockFileBlockGetter{}); err != nil { panic(err) } } func TestBlobberCore_RenameFile(t *testing.T) { setup(t) setupEncryptionScheme() sch := zcncrypto.NewSignatureScheme("bls0chain") mnemonic := "expose culture dignity plastic digital couple promote best pool error brush upgrade correct art become lobster nature moment obtain trial multiply arch miss toe" _, err := sch.RecoverKeys(mnemonic) if err != nil { t.Fatal(err) } ts := time.Now().Add(time.Hour) alloc := makeTestAllocation(common.Timestamp(ts.Unix())) alloc.OwnerPublicKey = sch.GetPublicKey() alloc.OwnerID = client.GetClientID() testCases := []struct { name string context metadata.MD allocChange *AllocationChange path string newName string allocRoot string expectedMessage string expectingError bool setupDbMock func() }{ { name: "Cant_find_file_object", allocChange: &AllocationChange{}, allocRoot: "/", path: "/old_dir", newName: "/new_dir", expectedMessage: "Invalid path. Could not find object tree", expectingError: true, setupDbMock: func() { mocket.Catcher.Reset() }, }, { name: "Dirname_Change_Ok", allocChange: &AllocationChange{}, allocRoot: "/", path: "/old_dir", newName: "/new_dir", expectedMessage: "", expectingError: false, setupDbMock: func() { mocket.Catcher.Reset() query := `SELECT * FROM "reference_objects" WHERE ("reference_objects"."allocation_id" = $1 AND "reference_objects"."path" = $2 OR (path LIKE $3 AND allocation_id = $4)) AND "reference_objects"."deleted_at" IS NULL ORDER BY level, lookup_hash%!!(string=allocation id)!(string=/old_dir/%!)(MISSING)!(string=/old_dir)(EXTRA string=allocation id)` mocket.Catcher.NewMock().OneTime().WithQuery( `SELECT * FROM "reference_objects" WHERE`, ).WithQuery(query). WithReply( []map[string]interface{}{{ "id": 2, "level": 1, "lookup_hash": "lookup_hash", "path": "/old_dir", }}, ) query = `SELECT * FROM "reference_objects" WHERE ("reference_objects"."allocation_id" = $1 AND "reference_objects"."parent_path" = $2 OR ("reference_objects"."allocation_id" = $3 AND "reference_objects"."parent_path" = $4) OR (parent_path = $5 AND allocation_id = $6)) AND "reference_objects"."deleted_at" IS NULL ORDER BY level, lookup_hash%!!(string=allocation id)!(string=)!(string=/)!(string=allocation id)!(string=/old_dir)(EXTRA string=allocation id)` mocket.Catcher.NewMock().OneTime().WithQuery( `SELECT * FROM "reference_objects" WHERE`, ).WithQuery(query).WithReply( []map[string]interface{}{{ "id": 1, "level": 0, "lookup_hash": "lookup_hash_root", "path": "/", "parent_path": ".", }, { "id": 2, "level": 1, "lookup_hash": "lookup_hash", "path": "/old_dir", "parent_path": "/", }}, ) mocket.Catcher.NewMock().WithQuery(`INSERT INTO "reference_objects"`). WithID(1) }, }, { name: "Filename_Change_Ok", allocChange: &AllocationChange{}, allocRoot: "/", path: "old_file.pdf", newName: "new_file.pdf", expectedMessage: "", expectingError: false, setupDbMock: func() { mocket.Catcher.Reset() query := `SELECT * FROM "reference_objects" WHERE ("reference_objects"."allocation_id" = $1 AND "reference_objects"."path" = $2 OR (path LIKE $3 AND allocation_id = $4)) AND "reference_objects"."deleted_at" IS NULL ORDER BY level, lookup_hash%!!(string=allocation id)!(string=old_file.pdf/%!)(MISSING)!(string=old_file.pdf)(EXTRA string=allocation id)` mocket.Catcher.NewMock().OneTime().WithQuery(query). WithReply( []map[string]interface{}{{ "id": 2, "level": 1, "lookup_hash": "lookup_hash", "path": "old_file.pdf", }}, ) query = `SELECT * FROM "reference_objects" WHERE ("reference_objects"."allocation_id" = $1 AND "reference_objects"."parent_path" = $2 OR ("reference_objects"."allocation_id" = $3 AND "reference_objects"."parent_path" = $4) OR (parent_path = $5 AND allocation_id = $6)) AND "reference_objects"."deleted_at" IS NULL ORDER BY level, lookup_hash%!!(string=allocation id)!(string=)!(string=.)!(string=allocation id)!(string=old_file.pdf)(EXTRA string=allocation id)` mocket.Catcher.NewMock().OneTime().WithQuery(query).WithReply( []map[string]interface{}{{ "id": 1, "level": 0, "lookup_hash": "lookup_hash_root", "path": "/", "parent_path": ".", }, { "id": 2, "level": 1, "lookup_hash": "lookup_hash", "path": "old_file.pdf", "parent_path": "/", }}, ) query = `SELECT * FROM "reference_objects" WHERE "id" = $1 AND "reference_objects"."deleted_at" IS NULL ORDER BY "reference_objects"."id" LIMIT 1%!(EXTRA int64=1)` mocket.Catcher.NewMock().OneTime().WithQuery(query). WithReply( []map[string]interface{}{{ "id": 1, "level": 0, "lookup_hash": "lookup_hash_root", "path": "/", "parent_path": ".", }}, ) mocket.Catcher.NewMock().WithQuery(`INSERT INTO "reference_objects"`). WithID(1) }, }, } for _, tc := range testCases { datastore.MocketTheStore(t, true) tc.setupDbMock() ctx := context.TODO() db := datastore.GetStore().GetDB().Begin() ctx = context.WithValue(ctx, datastore.ContextKeyTransaction, db) change := &RenameFileChange{AllocationID: alloc.ID, Path: tc.path, NewName: tc.newName} response, err := change.ApplyChange(ctx, tc.allocChange, tc.allocRoot) if err != nil { if !tc.expectingError { t.Fatal(err) } if tc.expectingError && strings.Contains(tc.expectedMessage, err.Error()) { t.Fatal("expected error " + tc.expectedMessage) break } continue } if tc.expectingError { t.Fatal("expected error") } require.EqualValues(t, len(response.Children), 1) require.EqualValues(t, response.Children[0].Path, tc.newName) } } func makeTestAllocation(exp common.Timestamp) *Allocation { allocID := "allocation id" alloc := Allocation{ Tx: "allocation tx", ID: allocID, Terms: []*Terms{ { ID: 1, AllocationID: allocID, }, }, Expiration: exp, } return &alloc }
30.27541
465
0.639485
0.844099
3,764
158
cshtml
C#
athurner/AspNetKatana
[ "Apache-2.0" ]
950
athurner/AspNetKatana
[ "Apache-2.0" ]
408
athurner/AspNetKatana
[ "Apache-2.0" ]
376
@using System <!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>Logout</title> </head> <body> <p>Hello world</p> </body> </html>
14.363636
43
0.632911
0.828164
77
683
st
Smalltalk
darth-cheney/safe-bet
[ "MIT" ]
19
darth-cheney/safe-bet
[ "MIT" ]
null
darth-cheney/safe-bet
[ "MIT" ]
null
as yet unclassified testExecuteOn "Test simple execution on a CPU instance." | cpu instruction expected | cpu := RVCPUBasic example1024. (cpu registerNamed: #x7) value: 2r11101110100111101000101010111000. " 4003367608" "Should only take lower 5 bits, aka 2r011 aka 3" (cpu registerNamed: #x2) value: 2r11111111111111111111111111100011. " 4294967267, but 3" instruction := RV32ISLL new. instruction rs1 setTo: 7. "Source x7" instruction rs2 setTo: 2. "Source shift amount x2" instruction rd setTo: 9. "Destination register x9" instruction executeOn: cpu. expected := 2r01110100111101000101010111000000. self assert: expected equals: (cpu registerNamed: #x9) value.
37.944444
90
0.767204
0.871414
338
756
jsp
Java Server Pages
amitchaulagain/ismt-web-app
[ "Apache-2.0" ]
null
amitchaulagain/ismt-web-app
[ "Apache-2.0" ]
null
amitchaulagain/ismt-web-app
[ "Apache-2.0" ]
null
<%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%> <%@ taglib uri="http://java.sun.com/jsp/jstl/core" prefix="c"%> <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1"> <title>All Students</title> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css"> </head> <body> SUCCESS !!! <p> <a href="/user" class="btn btn-primary" role="button">View All Users</a> </p> </div> </body> </html>
30.24
102
0.664021
0.803467
323
100
awk
Awk
itamarnet/awk-libs
[ "Unlicense" ]
1
itamarnet/awk-libs
[ "Unlicense" ]
null
itamarnet/awk-libs
[ "Unlicense" ]
null
#!/usr/bin/awk -f { lines[NR] = $0 } END { for (line=NR;line>=1;line--) print lines[line] }
14.285714
30
0.53
0.81
52
595
css
CSS
sanchezlopera96/Cursos-Platzi
[ "MIT" ]
null
sanchezlopera96/Cursos-Platzi
[ "MIT" ]
null
sanchezlopera96/Cursos-Platzi
[ "MIT" ]
null
body { color:#333; text-align: center; font-family: Arial, Helvetica, sans-serif; font-size: 16px; margin: 0; padding: 0; } #cabecera { background: #33A; box-shadow: 0px 2px 20px 0px rgba(0,0,0,0.5); color: white; font-weight: bold; margin: 0; padding: 0.5em; } #cabecera #tagline { padding: 0 0 0 1em; font-weight: normal; font-size: 0.8em; } #container { width: 70%; padding: 1em; text-align: left; border: 1px solid #DDD; margin: 0 auto; } #container h1 { font-size: 20px; } #post { padding: 1em; }
12.934783
49
0.573109
0.833679
288
1,089
rs
Rust
pinespear/rust_ord_by_key
[ "Apache-2.0", "MIT" ]
null
pinespear/rust_ord_by_key
[ "Apache-2.0", "MIT" ]
2
pinespear/rust_ord_by_key
[ "Apache-2.0", "MIT" ]
null
#[cfg(test)] mod tests { use ::core::cmp::Ordering; use ord_by_key::ord_eq_by_key_selector; #[ord_eq_by_key_selector(|(i0)| i0)] pub struct T1(i32); #[ord_eq_by_key_selector(|(i0, i1)| i0, i1)] pub struct T2(i32, i32); #[test] fn test_eq() { assert!(T1(1).eq(&T1(1)) == true); assert!(T1(1).eq(&T1(0)) == false); assert!(T2(1, 1).eq(&T2(1, 1)) == true); assert!(T2(0, 1).eq(&T2(1, 1)) == false); assert!(T2(1, 0).eq(&T2(1, 1)) == false); } #[test] fn test_cmp() { assert!(T1(1).cmp(&T1(2)) == Ordering::Less); assert!(T1(1).cmp(&T1(1)) == Ordering::Equal); assert!(T1(1).cmp(&T1(0)) == Ordering::Greater); assert!(T2(1, 1).cmp(&T2(1, 1)) == Ordering::Equal); assert!(T2(1, 1).cmp(&T2(2, 1)) == Ordering::Less); assert!(T2(1, 1).cmp(&T2(2, 1)) == Ordering::Less); assert!(T2(1, 1).cmp(&T2(2, 2)) == Ordering::Less); assert!(T2(1, 1).cmp(&T2(1, 2)) == Ordering::Less); assert!(T2(1, 2).cmp(&T2(2, 1)) == Ordering::Less); } }
30.25
60
0.496786
0.850405
501
19,099
pm
Perl
amidoimidazol/bio_info
[ "MIT" ]
null
amidoimidazol/bio_info
[ "MIT" ]
null
amidoimidazol/bio_info
[ "MIT" ]
null
################################## package SQL::Statement::Functions; ################################## use strict; use warnings; use Params::Util qw(_ARRAY0 _HASH0 _INSTANCE); use Scalar::Util qw(looks_like_number); =pod =head1 NAME SQL::Statement::Functions - built-in & user-defined SQL functions =head1 SYNOPSIS SELECT Func(args); SELECT * FROM Func(args); SELECT * FROM x WHERE Funcs(args); SELECT * FROM x WHERE y < Funcs(args); =head1 DESCRIPTION This module contains the built-in functions for SQL::Parser and SQL::Statement. All of the functions are also available in any DBDs that subclass those modules (e.g. DBD::CSV, DBD::DBM, DBD::File, DBD::AnyData, DBD::Excel, etc.). This documentation covers built-in functions and also explains how to create your own functions to supplement the built-in ones. It's easy. If you create one that is generally useful, see below for how to submit it to become a built-in function. =head1 Function syntax When using SQL::Statement/SQL::Parser directly to parse SQL, functions (either built-in or user-defined) may occur anywhere in a SQL statement that values, column names, table names, or predicates may occur. When using the modules through a DBD or in any other context in which the SQL is both parsed and executed, functions can occur in the same places except that they can not occur in the column selection clause of a SELECT statement that contains a FROM clause. # valid for both parsing and executing SELECT MyFunc(args); SELECT * FROM MyFunc(args); SELECT * FROM x WHERE MyFuncs(args); SELECT * FROM x WHERE y < MyFuncs(args); # valid only for parsing (won't work from a DBD) SELECT MyFunc(args) FROM x WHERE y; =head1 User-Defined Functions =head2 Loading User-Defined Functions In addition to the built-in functions, you can create any number of your own user-defined functions (UDFs). In order to use a UDF in a script, you first have to create a perl subroutine (see below), then you need to make the function available to your database handle with the CREATE FUNCTION or LOAD commands: # load a single function "foo" from a subroutine # named "foo" in the current package $dbh->do(" CREATE FUNCTION foo EXTERNAL "); # load a single function "foo" from a subroutine # named "bar" in the current package $dbh->do(" CREATE FUNCTION foo EXTERNAL NAME bar"); # load a single function "foo" from a subroutine named "foo" # in another package $dbh->do(' CREATE FUNCTION foo EXTERNAL NAME "Bar::Baz::foo" '); # load all the functions in another package $dbh->do(' LOAD "Bar::Baz" '); Functions themselves should follow SQL identifier naming rules. Subroutines loaded with CREATE FUNCTION can have any valid perl subroutine name. Subroutines loaded with LOAD must start with SQL_FUNCTION_ and then the actual function name. For example: package Qux::Quimble; sub SQL_FUNCTION_FOO { ... } sub SQL_FUNCTION_BAR { ... } sub some_other_perl_subroutine_not_a_function { ... } 1; # in another package $dbh->do("LOAD Qux::Quimble"); # This loads FOO and BAR as SQL functions. =head2 Creating User-Defined Functions User-defined functions (UDFs) are perl subroutines that return values appropriate to the context of the function in a SQL statement. For example the built-in CURRENT_TIME returns a string value and therefore may be used anywhere in a SQL statement that a string value can. Here' the entire perl code for the function: # CURRENT_TIME # # arguments : none # returns : string containing current time as hh::mm::ss # sub SQL_FUNCTION_CURRENT_TIME { sprintf "%02s::%02s::%02s",(localtime)[2,1,0] } More complex functions can make use of a number of arguments always passed to functions automatically. Functions always receive these values in @_: sub FOO { my($self,$sth,$rowhash,@params); } The first argument, $self, is whatever class the function is defined in, not generally useful unless you have an entire module to support the function. The second argument, $sth is the active statement handle of the current statement. Like all active statement handles it contains the current database handle in the {Database} attribute so you can have access to the database handle in any function: sub FOO { my($self,$sth,$rowhash,@params); my $dbh = $sth->{Database}; # $dbh->do( ...), etc. } In actual practice you probably want to use $sth-{Database} directly rather than making a local copy, so $sth->{Database}->do(...). The third argument, $rowhash, is a reference to a hash containing the key/value pairs for the current database row the SQL is searching. This isn't relevant for something like CURRENT_TIME which isn't based on a SQL search, but here's an example of a (rather useless) UDF using $rowhash that just joins the values for the entire row with a colon: sub COLON_JOIN { my($self,$sth,$rowhash,@params); my $str = join ':', values %$rowhash; } The remaining arguments, @params, are arguments passed by users to the function, either directly or with placeholders; another silly example which just returns the results of multiplying the arguments passed to it: sub MULTIPLY { my($self,$sth,$rowhash,@params); return $params[0] * $params[1]; } # first make the function available # $dbh->do("CREATE FUNCTION MULTIPLY"); # then multiply col3 in each row times seven # my $sth=$dbh->prepare("SELECT col1 FROM tbl1 WHERE col2 = MULTIPLY(col3,7)"); $sth->execute; # # or # my $sth=$dbh->prepare("SELECT col1 FROM tbl1 WHERE col2 = MULTIPLY(col3,?)"); $sth->execute(7); =head2 Creating In-Memory Tables with functions A function can return almost anything, as long is it is an appropriate return for the context the function will be used in. In the special case of table-returning functions, the function should return a reference to an array of array references with the first row being the column names and the remaining rows the data. For example: B<1. create a function that returns an AoA>, sub Japh {[ [qw( id word )], [qw( 1 Hacker )], [qw( 2 Perl )], [qw( 3 Another )], [qw( 4 Just )], ]} B<2. make your database handle aware of the function> $dbh->do("CREATE FUNCTION 'Japh'); B<3. Access the data in the AoA from SQL> $sth = $dbh->prepare("SELECT word FROM Japh ORDER BY id DESC"); Or here's an example that does a join on two in-memory tables: sub Prof {[ [qw(pid pname)],[qw(1 Sue )],[qw(2 Bob)],[qw(3 Tom )] ]} sub Class {[ [qw(pid cname)],[qw(1 Chem)],[qw(2 Bio)],[qw(2 Math)] ]} $dbh->do("CREATE FUNCTION $_) for qw(Prof Class); $sth = $dbh->prepare("SELECT * FROM Prof NATURAL JOIN Class"); The "Prof" and "Class" functions return tables which can be used like any SQL table. More complex functions might do something like scrape an RSS feed, or search a file system and put the results in AoA. For example, to search a directory with SQL: sub Dir { my($self,$sth,$rowhash,$dir)=@_; opendir D, $dir or die "'$dir':$!"; my @files = readdir D; my $data = [[qw(fileName fileExt)]]; for (@files) { my($fn,$ext) = /^(.*)(\.[^\.]+)$/; push @$data, [$fn,$ext]; } return $data; } $dbh->do("CREATE FUNCTION Dir"); printf "%s\n", join' ',@{ $dbh->selectcol_arrayref(" SELECT fileName FROM Dir('./') WHERE fileExt = '.pl' ")}; Obviously, that function could be expanded with File::Find and/or stat to provide more information and it could be made to accept a list of directories rather than a single directory. Table-Returning functions are a way to turn *anything* that can be modeled as an AoA into a DBI data source. =head1 Built-in Functions =cut use vars qw($VERSION); $VERSION = '1.33'; =pod =head2 Aggregate Functions =head3 min, max, avg, sum, count Aggregate functions are handled elsewhere, see L<SQL::Parser> for documentation. =pod =head2 Date and Time Functions =head3 current_date, current_time, current_timestamp B<CURRENT_DATE> # purpose : find current date # arguments : none # returns : string containing current date as yyyy-mm-dd =cut sub SQL_FUNCTION_CURRENT_DATE { my ( $sec, $min, $hour, $day, $mon, $year ) = localtime; return sprintf( '%4s-%02s-%02s', $year + 1900, $mon + 1, $day ); } =pod B<CURRENT_TIME> # purpose : find current time # arguments : none # returns : string containing current time as hh::mm::ss =cut sub SQL_FUNCTION_CURRENT_TIME { return sprintf( '%02s::%02s::%02s', (localtime)[ 2, 1, 0 ] ); } =pod B<CURRENT_TIMESTAMP> # purpose : find current date and time # arguments : none # returns : string containing current timestamp as yyyy-mm-dd hh::mm::ss =cut sub SQL_FUNCTION_CURRENT_TIMESTAMP { my ( $sec, $min, $hour, $day, $mon, $year ) = localtime; return sprintf( '%4s-%02s-%02s %02s::%02s::%02s', $year + 1900, $mon + 1, $day, $hour, $min, $sec ); } =pod =head2 String Functions =head3 char_length, lower, position, regex, soundex, substring, trim, upper B<CHAR_LENGTH> # purpose : find length in characters of a string # arguments : a string # returns : a number - the length of the string in characters =cut sub SQL_FUNCTION_CHAR_LENGTH { my ( $self, $owner, $str ) = @_; return length($str); } =pod B<LOWER & UPPER> # purpose : lower-case or upper-case a string # arguments : a string # returns : the sting lower or upper cased =cut sub SQL_FUNCTION_LOWER { my ( $self, $owner, $str ) = @_; return lc($str); } sub SQL_FUNCTION_UPPER { my ( $self, $owner, $str ) = @_; return uc($str); } =pod B<POSITION> # purpose : find first position of a substring in a string # arguments : a substring and a string possibly containing the substring # returns : a number - the index of the substring in the string # or 0 if the substring doesn't occur in the sring =cut sub SQL_FUNCTION_POSITION { my ( $self, $owner, $substr, $str ) = @_; return index( $str, $substr ) + 1; } =pod B<REGEX> # purpose : test if a string matches a perl regular expression # arguments : a string and a regex to match the string against # returns : boolean value of the regex match # # example : ... WHERE REGEX(col3,'/^fun/i') ... matches rows # in which col3 starts with "fun", ignoring case =cut sub SQL_FUNCTION_REGEX { my ( $self, $owner, @params ) = @_; return 0 unless ( defined( $params[0] ) && defined( $params[1] ) ); my ( $pattern, $modifier ) = $params[1] =~ m~^/(.+)/([a-z]*)$~; $pattern = "(?$modifier:$pattern)" if ($modifier); return ( $params[0] =~ qr($pattern) ) ? 1 : 0; } =pod B<SOUNDEX> # purpose : test if two strings have matching soundex codes # arguments : two strings # returns : true if the strings share the same soundex code # # example : ... WHERE SOUNDEX(col3,'fun') ... matches rows # in which col3 is a soundex match for "fun" =cut sub SQL_FUNCTION_SOUNDEX { my ( $self, $owner, @params ) = @_; require Text::Soundex; my $s1 = Text::Soundex::soundex( $params[0] ) or return 0; my $s2 = Text::Soundex::soundex( $params[1] ) or return 0; return ( $s1 eq $s2 ) ? 1 : 0; } =pod B<CONCAT> # purpose : concatenate 1 or more strings into a single string; # an alternative to the '||' operator # arguments : 1 or more strings # returns : the concatenated string # # example : SELECT CONCAT(first_string, 'this string', ' that string') # returns "<value-of-first-string>this string that string" # note : if any argument evaluates to NULL, the returned value is NULL =cut sub SQL_FUNCTION_CONCAT { my ( $self, $owner, @params ) = @_; my $str = ''; foreach (@params) { return undef unless defined($_); $str .= $_; } return $str; } =pod B<COALESCE> I<aka> B<NVL> # purpose : return the first non-NULL value from a list # arguments : 1 or more expressions # returns : the first expression (reading left to right) # which is not NULL; returns NULL if all are NULL # # example : SELECT COALESCE(NULL, some_null_column, 'not null') # returns 'not null' =cut sub SQL_FUNCTION_COALESCE { my ( $self, $owner, @params ) = @_; # # eval each expr in list until a non-null # is encountered, then return it # foreach (@params) { return $_ if defined($_); } return undef; } sub SQL_FUNCTION_NVL { return SQL_FUNCTION_COALESCE(@_); } =pod B<DECODE> # purpose : compare the first argument against # succeding arguments at position 1 + 2N # (N = 0 to (# of arguments - 2)/2), and if equal, # return the value of the argument at 1 + 2N + 1; if no # arguments are equal, the last argument value is returned # arguments : 4 or more expressions, must be even # of arguments # returns : the value of the argument at 1 + 2N + 1 if argument 1 + 2N # is equal to argument1; else the last argument value # # example : SELECT DECODE(some_column, # 'first value', 'first value matched' # '2nd value', '2nd value matched' # 'no value matched' # ) =cut # # emulate Oracle DECODE; behaves same as # CASE expr WHEN <expr2> THEN expr3 # WHEN expr4 THEN expr5 # ... # ELSE exprN END # sub SQL_FUNCTION_DECODE { my ( $self, $owner, @params ) = @_; # # check param list size, must be at least 4, # and even in length # die 'Invalid DECODE argument list!' unless ( ( scalar @params > 3 ) && ( $#params & 1 == 1 ) ); # # eval first argument, and last argument, # then eval and compare each succeeding pair of args # be careful about NULLs! # my $lhs = shift @params; my $default = pop @params; return $default unless defined($lhs); my $lhs_isnum = looks_like_number($lhs); while (@params) { my $rhs = shift @params; shift @params, next unless defined($rhs); return shift @params if ( ( looks_like_number($rhs) && $lhs_isnum && ( $lhs == $rhs ) ) || ( $lhs eq $rhs ) ); shift @params; } return $default; } =pod B<REPLACE>, B<SUBSTITUTE> # purpose : perform perl subsitution on input string # arguments : a string and a substitute pattern string # returns : the result of the substitute operation # # example : ... WHERE REPLACE(col3,'s/fun(\w+)nier/$1/ig') ... replaces # all instances of /fun(\w+)nier/ in col3 with the string # between 'fun' and 'nier' =cut sub SQL_FUNCTION_REPLACE { my ( $self, $owner, @params ) = @_; return undef unless defined $params[0] and defined $params[1]; eval "\$params[0]=~$params[1]"; return $@ ? undef : $params[0]; } sub SQL_FUNCTION_SUBSTITUTE { return SQL_FUNCTION_REPLACE(@_); } sub SQL_FUNCTION_SUBSTR { my ( $self, $owner, @params ) = @_; my $string = $params[0] || ''; my $start = $params[1] || 0; my $offset = $params[2] || length $string; my $value = ''; $value = substr( $string, $start - 1, $offset ) if length $string >= $start - 2 + $offset; } =pod B<SUBSTRING> SUBSTRING( string FROM start_pos [FOR length] ) Returns the substring starting at start_pos and extending for "length" character or until the end of the string, if no "length" is supplied. Examples: SUBSTRING( 'foobar' FROM 4 ) # returns "bar" SUBSTRING( 'foobar' FROM 4 FOR 2) # returns "ba" Note: The SUBSTRING function is implemented in SQL::Parser and SQL::Statement and, at the current time, can not be over-ridden. B<TRIM> TRIM ( [ [LEADING|TRAILING|BOTH] ['trim_char'] FROM ] string ) Removes all occurrences of <trim_char> from the front, back, or both sides of a string. BOTH is the default if neither LEADING nor TRAILING is specified. Space is the default if no trim_char is specified. Examples: TRIM( string ) trims leading and trailing spaces from string TRIM( LEADING FROM str ) trims leading spaces from string TRIM( 'x' FROM str ) trims leading and trailing x's from string Note: The TRIM function is implemented in SQL::Parser and SQL::Statement and, at the current time, can not be over-ridden. =head1 Special Utility Functions =head2 IMPORT() CREATE TABLE foo AS IMPORT(?) ,{},$external_executed_sth CREATE TABLE foo AS IMPORT(?) ,{},$AoA =cut sub SQL_FUNCTION_IMPORT { my ( $self, $owner, @params ) = @_; if ( _ARRAY0( $params[0] ) ) { return $params[0] unless ( _HASH0( $params[0]->[0] ) ); my @tbl = (); for my $row ( @{ $params[0] } ) { my @cols = sort keys %{$row}; push @tbl, \@cols unless @tbl; push @tbl, [ @$row{@cols} ]; } return \@tbl; } elsif ( _INSTANCE( $params[0], 'DBI::st' ) ) { my @cols; @cols = @{ $params[0]->{NAME} } unless @cols; # push @{$sth->{org_names}},$_ for @cols; my $tbl = [ \@cols ]; while ( my @row = $params[0]->fetchrow_array() ) { push @$tbl, \@row; } return $tbl; } } # RUN() # # takes the name of a file containing SQL statements, runs the statements # see SQL::Parser for details sub SQL_FUNCTION_RUN { my ( $self, $owner, $file ) = @_; my @params = $owner->{sql_stmt}->params(); @params = () unless @params; local *IN; open( IN, '<', $file ) or die "Couldn't open SQL File '$file': $!\n"; my @stmts = split /;\s*\n+/, join '', <IN>; $stmts[-1] =~ s/;\s*$//; close IN; my @results = (); for my $sql (@stmts) { my $tmp_sth = $owner->{Database}->prepare($sql); $tmp_sth->execute(@params); next unless $tmp_sth->{NUM_OF_FIELDS}; push @results, $tmp_sth->{NAME} unless @results; while ( my @r = $tmp_sth->fetchrow_array() ) { push @results, \@r } } #use Data::Dumper; print Dumper \@results and exit if @results; return \@results; } =pod =head1 Submitting built-in functions There are a few built-in functions in the SQL::Statement::Functions. If you make a generally useful UDF, why not submit it to me and have it (and your name) included with the built-in functions? Please follow the format shown in the module including a description of the arguments and return values for the function as well as an example. Send them to me at jzucker AT cpan.org with a subject line containing "built-in UDF". Thanks in advance :-). =head1 ACKNOWLEDGEMENTS Dean Arnold supplied DECODE, COALESCE, REPLACE, many thanks! =head1 AUTHOR & COPYRIGHT Copyright (c) 2005 by Jeff Zucker: jzuckerATcpan.org Copyright (c) 2009,2010 by Jens Rehsack: rehsackATcpan.org All rights reserved. The module may be freely distributed under the same terms as Perl itself using either the "GPL License" or the "Artistic License" as specified in the Perl README file. =cut 1;
28.8941
467
0.654799
0.832121
6,233
123
idr
Idris
ska80/idris-jvm
[ "BSD-3-Clause" ]
396
ska80/idris-jvm
[ "BSD-3-Clause" ]
54
ska80/idris-jvm
[ "BSD-3-Clause" ]
28
main : IO () main = do putStrLn $ show (the Bits64 0xffffffffffffffff) putStrLn $ show (the Bits64 0x8000000000000000)
24.6
49
0.731707
0.803333
66
946
ads
Ada
mgrojo/adalib
[ "BSD-3-Clause" ]
15
mgrojo/adalib
[ "BSD-3-Clause" ]
4
mgrojo/adalib
[ "BSD-3-Clause" ]
3
-- Standard Ada library specification -- Copyright (c) 2003-2018 Maxim Reznik <reznikmm@gmail.com> -- Copyright (c) 2004-2016 AXE Consultants -- Copyright (c) 2004, 2005, 2006 Ada-Europe -- Copyright (c) 2000 The MITRE Corporation, Inc. -- Copyright (c) 1992, 1993, 1994, 1995 Intermetrics, Inc. -- SPDX-License-Identifier: BSD-3-Clause and LicenseRef-AdaReferenceManual --------------------------------------------------------------------------- package Ada.Synchronous_Task_Control is pragma Preelaborate (Synchronous_Task_Control); type Suspension_Object is limited private; procedure Set_True (S : in out Suspension_Object); procedure Set_False (S : in out Suspension_Object); function Current_State (S : in Suspension_Object) return Boolean; procedure Suspend_Until_True (S : in out Suspension_Object); private pragma Import (Ada, Suspension_Object); end Ada.Synchronous_Task_Control;
32.62069
75
0.683932
0.827006
332
271
st
Smalltalk
jecisc/MaterialDesignLite
[ "MIT" ]
null
jecisc/MaterialDesignLite
[ "MIT" ]
1
pdebruic/MaterialDesignLite
[ "MIT" ]
null
tests testComplexe self assert: [ :html | html mdlIconBadge overlap; noBackground; dataBadge: 3; with: 'account_box' ] generates: '<div class="mdl-badge material-icons mdl-badge--overlap mdl-badge--no-background" data-badge="3">account_box</div>'
27.1
129
0.693727
0.827778
120
933
js
JavaScript
TrueMarketing/trimtileandstone
[ "MIT" ]
null
TrueMarketing/trimtileandstone
[ "MIT" ]
null
TrueMarketing/trimtileandstone
[ "MIT" ]
null
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var tslib_1 = require("tslib"); var React = tslib_1.__importStar(require("react")); var StyledIconBase_1 = require("../../StyledIconBase"); exports.Hospital = React.forwardRef(function (props, ref) { var attrs = { "fill": "currentColor", "xmlns": "http://www.w3.org/2000/svg", }; return (React.createElement(StyledIconBase_1.StyledIconBase, tslib_1.__assign({ iconAttrs: attrs, iconVerticalAlign: "middle", iconViewBox: "0 0 24 24" }, props, { ref: ref }), React.createElement("path", { fill: "none", d: "M0 0h24v24H0z", key: "k0" }), React.createElement("path", { d: "M8 20v-6h8v6h3V4H5v16h3zm2 0h4v-4h-4v4zm11 0h2v2H1v-2h2V3a1 1 0 011-1h16a1 1 0 011 1v17zM11 8V6h2v2h2v2h-2v2h-2v-2H9V8h2z", key: "k1" }))); }); exports.Hospital.displayName = 'Hospital'; exports.HospitalDimensions = { height: 24, width: 24 };
54.882353
181
0.681672
0.806538
411
7,596
vb
Visual Basic
sparksammy/NoteWords
[ "MIT" ]
null
sparksammy/NoteWords
[ "MIT" ]
null
sparksammy/NoteWords
[ "MIT" ]
null
<Global.Microsoft.VisualBasic.CompilerServices.DesignerGenerated()> _ Partial Class Form1 Inherits System.Windows.Forms.Form 'Form overrides dispose to clean up the component list. <System.Diagnostics.DebuggerNonUserCode()> _ Protected Overrides Sub Dispose(ByVal disposing As Boolean) Try If disposing AndAlso components IsNot Nothing Then components.Dispose() End If Finally MyBase.Dispose(disposing) End Try End Sub 'Required by the Windows Form Designer Private components As System.ComponentModel.IContainer 'NOTE: The following procedure is required by the Windows Form Designer 'It can be modified using the Windows Form Designer. 'Do not modify it using the code editor. <System.Diagnostics.DebuggerStepThrough()> _ Private Sub InitializeComponent() Me.MenuStrip1 = New System.Windows.Forms.MenuStrip() Me.FileToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.NewToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.OpenToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.SaveAsToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.SaveToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.EditToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.WordWrapToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.FontStylingToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.HelpToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.AboutToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.SaveFileDialog1 = New System.Windows.Forms.SaveFileDialog() Me.OpenFileDialog1 = New System.Windows.Forms.OpenFileDialog() Me.TextBox1 = New System.Windows.Forms.RichTextBox() Me.FontDialog1 = New System.Windows.Forms.FontDialog() Me.MenuStrip1.SuspendLayout() Me.SuspendLayout() ' 'MenuStrip1 ' Me.MenuStrip1.ImageScalingSize = New System.Drawing.Size(24, 24) Me.MenuStrip1.Items.AddRange(New System.Windows.Forms.ToolStripItem() {Me.FileToolStripMenuItem, Me.EditToolStripMenuItem, Me.HelpToolStripMenuItem}) Me.MenuStrip1.Location = New System.Drawing.Point(0, 0) Me.MenuStrip1.Name = "MenuStrip1" Me.MenuStrip1.Size = New System.Drawing.Size(572, 33) Me.MenuStrip1.TabIndex = 1 Me.MenuStrip1.Text = "MenuStrip1" ' 'FileToolStripMenuItem ' Me.FileToolStripMenuItem.DropDownItems.AddRange(New System.Windows.Forms.ToolStripItem() {Me.NewToolStripMenuItem, Me.OpenToolStripMenuItem, Me.SaveAsToolStripMenuItem, Me.SaveToolStripMenuItem}) Me.FileToolStripMenuItem.Name = "FileToolStripMenuItem" Me.FileToolStripMenuItem.Size = New System.Drawing.Size(50, 29) Me.FileToolStripMenuItem.Text = "File" ' 'NewToolStripMenuItem ' Me.NewToolStripMenuItem.Name = "NewToolStripMenuItem" Me.NewToolStripMenuItem.Size = New System.Drawing.Size(158, 30) Me.NewToolStripMenuItem.Text = "New" ' 'OpenToolStripMenuItem ' Me.OpenToolStripMenuItem.Name = "OpenToolStripMenuItem" Me.OpenToolStripMenuItem.Size = New System.Drawing.Size(158, 30) Me.OpenToolStripMenuItem.Text = "Open" ' 'SaveAsToolStripMenuItem ' Me.SaveAsToolStripMenuItem.Name = "SaveAsToolStripMenuItem" Me.SaveAsToolStripMenuItem.Size = New System.Drawing.Size(158, 30) Me.SaveAsToolStripMenuItem.Text = "Save As" ' 'SaveToolStripMenuItem ' Me.SaveToolStripMenuItem.Name = "SaveToolStripMenuItem" Me.SaveToolStripMenuItem.Size = New System.Drawing.Size(158, 30) Me.SaveToolStripMenuItem.Text = "Save" ' 'EditToolStripMenuItem ' Me.EditToolStripMenuItem.DropDownItems.AddRange(New System.Windows.Forms.ToolStripItem() {Me.WordWrapToolStripMenuItem, Me.FontStylingToolStripMenuItem}) Me.EditToolStripMenuItem.Name = "EditToolStripMenuItem" Me.EditToolStripMenuItem.Size = New System.Drawing.Size(54, 29) Me.EditToolStripMenuItem.Text = "Edit" ' 'WordWrapToolStripMenuItem ' Me.WordWrapToolStripMenuItem.Name = "WordWrapToolStripMenuItem" Me.WordWrapToolStripMenuItem.Size = New System.Drawing.Size(252, 30) Me.WordWrapToolStripMenuItem.Text = "Word Wrap" ' 'FontStylingToolStripMenuItem ' Me.FontStylingToolStripMenuItem.Name = "FontStylingToolStripMenuItem" Me.FontStylingToolStripMenuItem.Size = New System.Drawing.Size(252, 30) Me.FontStylingToolStripMenuItem.Text = "Font Styling" ' 'HelpToolStripMenuItem ' Me.HelpToolStripMenuItem.DropDownItems.AddRange(New System.Windows.Forms.ToolStripItem() {Me.AboutToolStripMenuItem}) Me.HelpToolStripMenuItem.Name = "HelpToolStripMenuItem" Me.HelpToolStripMenuItem.Size = New System.Drawing.Size(61, 29) Me.HelpToolStripMenuItem.Text = "Help" ' 'AboutToolStripMenuItem ' Me.AboutToolStripMenuItem.Name = "AboutToolStripMenuItem" Me.AboutToolStripMenuItem.Size = New System.Drawing.Size(146, 30) Me.AboutToolStripMenuItem.Text = "About" ' 'OpenFileDialog1 ' Me.OpenFileDialog1.FileName = "OpenFileDialog1" ' 'TextBox1 ' Me.TextBox1.Dock = System.Windows.Forms.DockStyle.Fill Me.TextBox1.Location = New System.Drawing.Point(0, 33) Me.TextBox1.Name = "TextBox1" Me.TextBox1.Size = New System.Drawing.Size(572, 417) Me.TextBox1.TabIndex = 2 Me.TextBox1.Text = "" ' 'Form1 ' Me.AutoScaleDimensions = New System.Drawing.SizeF(9.0!, 20.0!) Me.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font Me.ClientSize = New System.Drawing.Size(572, 450) Me.Controls.Add(Me.TextBox1) Me.Controls.Add(Me.MenuStrip1) Me.MainMenuStrip = Me.MenuStrip1 Me.Name = "Form1" Me.Text = "Notewords" Me.MenuStrip1.ResumeLayout(False) Me.MenuStrip1.PerformLayout() Me.ResumeLayout(False) Me.PerformLayout() End Sub Friend WithEvents MenuStrip1 As MenuStrip Friend WithEvents FileToolStripMenuItem As ToolStripMenuItem Friend WithEvents OpenToolStripMenuItem As ToolStripMenuItem Friend WithEvents SaveAsToolStripMenuItem As ToolStripMenuItem Friend WithEvents HelpToolStripMenuItem As ToolStripMenuItem Friend WithEvents AboutToolStripMenuItem As ToolStripMenuItem Friend WithEvents SaveFileDialog1 As SaveFileDialog Friend WithEvents OpenFileDialog1 As OpenFileDialog Friend WithEvents SaveToolStripMenuItem As ToolStripMenuItem Friend WithEvents NewToolStripMenuItem As ToolStripMenuItem Friend WithEvents EditToolStripMenuItem As ToolStripMenuItem Friend WithEvents WordWrapToolStripMenuItem As ToolStripMenuItem Friend WithEvents TextBox1 As RichTextBox Friend WithEvents FontStylingToolStripMenuItem As ToolStripMenuItem Friend WithEvents FontDialog1 As FontDialog End Class
47.180124
204
0.6901
0.846122
2,201
1,749
proto
Protocol Buffer
andersnormal/autobot-plugin-hello-world
[ "Apache-2.0" ]
1
andersnormal/autobot-plugin-hello-world
[ "Apache-2.0" ]
1
andersnormal/autobot-plugin-hello-world
[ "Apache-2.0" ]
1
syntax = "proto3"; package proto; import "google/protobuf/timestamp.proto"; // Bot ... // // These are the messages that can be moved through // the outbox and the inbox. message Bot { oneof bot { // message types to send, or reply Message message = 1; Message reply = 2; Message private = 3; } } // Message ... message Message { // TextFormat ... enum TextFormat { PLAIN_TEXT = 0; } // User ... // // This is a user interaction ... message User { // ID ... string id = 1; // Name ... string name = 2; // Team ... Team team = 3; } // Team ... // // This is a team interaction ... message Team { // ID ... string id = 1; // Name ... string name = 2; } // Channel ... // // This is the channel of the interaction ... message Channel { // ID ... string id = 1; // Name ... string name = 2; } // Recipient ... // // This is the recipient of an interaction ... message Recipient { // ID ... string id = 1; // Name ... string name = 2; // Team ... Team team = 3; } // UUID ... string uuid = 1; // ID ... string id = 2; // Type ... string type = 3; // Channel ... Channel channel = 4; // From ... User from = 5; // Recipient ... Recipient recipient = 6; // isBot ... bool is_bot = 7; // isDirectMessage ... bool is_direct_message = 8; // Timestamp ... google.protobuf.Timestamp timestamp = 10; // TextFormat ... TextFormat text_format = 20; // Text ... string text = 21; } // Empty ... // // Empty reply. message Empty {}
17.666667
51
0.488279
0.802849
590
799
bat
Batchfile
sinply/v3edu
[ "Apache-2.0" ]
1
sinply/v3edu
[ "Apache-2.0" ]
null
sinply/v3edu
[ "Apache-2.0" ]
4
@echo off REM **************************************************************************** REM Vivado (TM) v2018.2 (64-bit) REM REM Filename : compile.bat REM Simulator : Mentor Graphics ModelSim Simulator REM Description : Script for compiling the simulation design source files REM REM Generated by Vivado on Sat Feb 01 20:46:36 +0800 2020 REM SW Build 2258646 on Thu Jun 14 20:03:12 MDT 2018 REM REM Copyright 1986-2018 Xilinx, Inc. All Rights Reserved. REM REM usage: compile.bat REM REM **************************************************************************** set bin_path=D:\\ProgramData\\modeltech64_10.7\\win64 call %bin_path%/vsim -c -do "do {tb_ddr3_hdmi_compile.do}" -l compile.log if "%errorlevel%"=="1" goto END if "%errorlevel%"=="0" goto SUCCESS :END exit 1 :SUCCESS exit 0
31.96
80
0.607009
0.803182
302
378
sas
SAS
armandovl/antiguo_sas
[ "Apache-2.0" ]
null
armandovl/antiguo_sas
[ "Apache-2.0" ]
null
armandovl/antiguo_sas
[ "Apache-2.0" ]
null
data examen; input anio pib_nacional pib_agricola; cards; 1994 5.9 5.94 1995 -18.28 -18.54 1996 7.11 14.47 1997 8.87 1.86 1998 1.32 -2.64 1999 8.21 1.25 2000 7.69 -4.05 2001 -0.03 4.59 2002 -2.79 -2.68 2003 6.62 4.11 2004 7.89 4.94 2005 4.41 1.14 2006 7.82 6.65 2007 5.12 4.44 2008 1.16 2.5 2009 -5.59 1.94 2010 5.48 6.97 ; proc reg; model pib_agricola = pib_nacional/ clm; run;
15.75
39
0.690476
0.87
307
688
vbs
Visual Basic
JonnyWideFoot/pd.arcus
[ "BSD-4-Clause-UC" ]
null
JonnyWideFoot/pd.arcus
[ "BSD-4-Clause-UC" ]
null
JonnyWideFoot/pd.arcus
[ "BSD-4-Clause-UC" ]
null
'************************************************* *********** '* Modifying The System Path With New Entries * '************************************************* *********** Dim ExistingPath, NewPath Set oShell = WScript.CreateObject("WScript.Shell") Set oEnv = oShell.Environment("SYSTEM") '************************************************* *********** '* Add your Path Entry Here * '************************************************* *********** ExistingPath = oEnv("PATH") NewPath = ExistingPath & ";" & "C:\Python25" & ";" & "C:\Program Files\swigwin-1.3.33" oEnv("PATH") = NewPath oEnv("PYTHON_PARAM") = "C:\Python25\libs\python25.lib" oEnv("PYTHON_INCLUDE") = "C:\Python25\include"
43
86
0.449128
0.842115
204
7,467
go
Go
kubeform/provider-ibm-api
[ "Apache-2.0" ]
1
kubeform/provider-ibm-api
[ "Apache-2.0" ]
1
kubeform/provider-ibm-api
[ "Apache-2.0" ]
null
/* Copyright AppsCode Inc. and Contributors 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. */ // Code generated by client-gen. DO NOT EDIT. package v1alpha1 import ( "context" "time" v1alpha1 "kubeform.dev/provider-ibm-api/apis/is/v1alpha1" scheme "kubeform.dev/provider-ibm-api/client/clientset/versioned/scheme" v1 "k8s.io/apimachinery/pkg/apis/meta/v1" types "k8s.io/apimachinery/pkg/types" watch "k8s.io/apimachinery/pkg/watch" rest "k8s.io/client-go/rest" ) // SecurityGroupRulesGetter has a method to return a SecurityGroupRuleInterface. // A group's client should implement this interface. type SecurityGroupRulesGetter interface { SecurityGroupRules(namespace string) SecurityGroupRuleInterface } // SecurityGroupRuleInterface has methods to work with SecurityGroupRule resources. type SecurityGroupRuleInterface interface { Create(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.CreateOptions) (*v1alpha1.SecurityGroupRule, error) Update(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.UpdateOptions) (*v1alpha1.SecurityGroupRule, error) UpdateStatus(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.UpdateOptions) (*v1alpha1.SecurityGroupRule, error) Delete(ctx context.Context, name string, opts v1.DeleteOptions) error DeleteCollection(ctx context.Context, opts v1.DeleteOptions, listOpts v1.ListOptions) error Get(ctx context.Context, name string, opts v1.GetOptions) (*v1alpha1.SecurityGroupRule, error) List(ctx context.Context, opts v1.ListOptions) (*v1alpha1.SecurityGroupRuleList, error) Watch(ctx context.Context, opts v1.ListOptions) (watch.Interface, error) Patch(ctx context.Context, name string, pt types.PatchType, data []byte, opts v1.PatchOptions, subresources ...string) (result *v1alpha1.SecurityGroupRule, err error) SecurityGroupRuleExpansion } // securityGroupRules implements SecurityGroupRuleInterface type securityGroupRules struct { client rest.Interface ns string } // newSecurityGroupRules returns a SecurityGroupRules func newSecurityGroupRules(c *IsV1alpha1Client, namespace string) *securityGroupRules { return &securityGroupRules{ client: c.RESTClient(), ns: namespace, } } // Get takes name of the securityGroupRule, and returns the corresponding securityGroupRule object, and an error if there is any. func (c *securityGroupRules) Get(ctx context.Context, name string, options v1.GetOptions) (result *v1alpha1.SecurityGroupRule, err error) { result = &v1alpha1.SecurityGroupRule{} err = c.client.Get(). Namespace(c.ns). Resource("securitygrouprules"). Name(name). VersionedParams(&options, scheme.ParameterCodec). Do(ctx). Into(result) return } // List takes label and field selectors, and returns the list of SecurityGroupRules that match those selectors. func (c *securityGroupRules) List(ctx context.Context, opts v1.ListOptions) (result *v1alpha1.SecurityGroupRuleList, err error) { var timeout time.Duration if opts.TimeoutSeconds != nil { timeout = time.Duration(*opts.TimeoutSeconds) * time.Second } result = &v1alpha1.SecurityGroupRuleList{} err = c.client.Get(). Namespace(c.ns). Resource("securitygrouprules"). VersionedParams(&opts, scheme.ParameterCodec). Timeout(timeout). Do(ctx). Into(result) return } // Watch returns a watch.Interface that watches the requested securityGroupRules. func (c *securityGroupRules) Watch(ctx context.Context, opts v1.ListOptions) (watch.Interface, error) { var timeout time.Duration if opts.TimeoutSeconds != nil { timeout = time.Duration(*opts.TimeoutSeconds) * time.Second } opts.Watch = true return c.client.Get(). Namespace(c.ns). Resource("securitygrouprules"). VersionedParams(&opts, scheme.ParameterCodec). Timeout(timeout). Watch(ctx) } // Create takes the representation of a securityGroupRule and creates it. Returns the server's representation of the securityGroupRule, and an error, if there is any. func (c *securityGroupRules) Create(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.CreateOptions) (result *v1alpha1.SecurityGroupRule, err error) { result = &v1alpha1.SecurityGroupRule{} err = c.client.Post(). Namespace(c.ns). Resource("securitygrouprules"). VersionedParams(&opts, scheme.ParameterCodec). Body(securityGroupRule). Do(ctx). Into(result) return } // Update takes the representation of a securityGroupRule and updates it. Returns the server's representation of the securityGroupRule, and an error, if there is any. func (c *securityGroupRules) Update(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.UpdateOptions) (result *v1alpha1.SecurityGroupRule, err error) { result = &v1alpha1.SecurityGroupRule{} err = c.client.Put(). Namespace(c.ns). Resource("securitygrouprules"). Name(securityGroupRule.Name). VersionedParams(&opts, scheme.ParameterCodec). Body(securityGroupRule). Do(ctx). Into(result) return } // UpdateStatus was generated because the type contains a Status member. // Add a +genclient:noStatus comment above the type to avoid generating UpdateStatus(). func (c *securityGroupRules) UpdateStatus(ctx context.Context, securityGroupRule *v1alpha1.SecurityGroupRule, opts v1.UpdateOptions) (result *v1alpha1.SecurityGroupRule, err error) { result = &v1alpha1.SecurityGroupRule{} err = c.client.Put(). Namespace(c.ns). Resource("securitygrouprules"). Name(securityGroupRule.Name). SubResource("status"). VersionedParams(&opts, scheme.ParameterCodec). Body(securityGroupRule). Do(ctx). Into(result) return } // Delete takes name of the securityGroupRule and deletes it. Returns an error if one occurs. func (c *securityGroupRules) Delete(ctx context.Context, name string, opts v1.DeleteOptions) error { return c.client.Delete(). Namespace(c.ns). Resource("securitygrouprules"). Name(name). Body(&opts). Do(ctx). Error() } // DeleteCollection deletes a collection of objects. func (c *securityGroupRules) DeleteCollection(ctx context.Context, opts v1.DeleteOptions, listOpts v1.ListOptions) error { var timeout time.Duration if listOpts.TimeoutSeconds != nil { timeout = time.Duration(*listOpts.TimeoutSeconds) * time.Second } return c.client.Delete(). Namespace(c.ns). Resource("securitygrouprules"). VersionedParams(&listOpts, scheme.ParameterCodec). Timeout(timeout). Body(&opts). Do(ctx). Error() } // Patch applies the patch and returns the patched securityGroupRule. func (c *securityGroupRules) Patch(ctx context.Context, name string, pt types.PatchType, data []byte, opts v1.PatchOptions, subresources ...string) (result *v1alpha1.SecurityGroupRule, err error) { result = &v1alpha1.SecurityGroupRule{} err = c.client.Patch(pt). Namespace(c.ns). Resource("securitygrouprules"). Name(name). SubResource(subresources...). VersionedParams(&opts, scheme.ParameterCodec). Body(data). Do(ctx). Into(result) return }
37.903553
197
0.773537
0.855272
2,298
2,186
py
Python
oucxlw/SoundSourceSeparation
[ "MIT" ]
83
klauszwei/SoundSourceSeparation
[ "MIT" ]
7
klauszwei/SoundSourceSeparation
[ "MIT" ]
18
#!/usr/bin/env python3 import chainer from chainer import functions as chf from chainer import links as chl from chainer.functions.loss.vae import gaussian_kl_divergence class VAE(chainer.Chain): def __init__(self, n_freq=513, n_latent=16, n_hidden=128): super(VAE, self).__init__() self.n_latent = n_latent with self.init_scope(): # encoder self.linear_enc = chl.Linear(n_freq, n_hidden) self.linear_enc_mu = chl.Linear(n_hidden, n_latent) self.linear_enc_logVar = chl.Linear(n_hidden, n_latent) # decoder self.linear_dec = chl.Linear(n_latent, n_hidden) self.bn_dec = chl.BatchNormalization(n_hidden) self.linear_dec_output = chl.Linear(n_hidden, n_freq) def encode(self, x): hidden = chf.tanh(self.linear_enc(x)) return self.linear_enc_mu(hidden), self.linear_enc_logVar(hidden) def decode(self, z): hidden = chf.tanh(self.bn_dec(self.linear_dec(z))) return self.linear_dec_output(hidden) def encode_cupy(self, x, sampling=False): with chainer.using_config('train', False), chainer.no_backprop_mode(): x_ = (chainer.Variable(x.T)) mu, log_var = self.encode(x_) if sampling: z = chf.gaussian(mu, log_var) return z.data.T else: return mu.data.T def decode_cupy(self, z): with chainer.using_config('train', False), chainer.no_backprop_mode(): z = chainer.Variable(z.T) x = chf.exp(self.decode(z)).data.T # exp(log(power)) = power return x def get_loss_func(self, eps=1e-8): def lf(x): mu, log_var = self.encode(x) batch_size = len(mu.data) self.vae_loss = gaussian_kl_divergence(mu, log_var) / batch_size z = chf.gaussian(mu, log_var) output_dec = chf.exp(self.decode(z)) # exp(log(power)) = power self.dec_loss = chf.sum(chf.log(output_dec) + x / output_dec) / batch_size self.loss = self.vae_loss + self.dec_loss return self.loss return lf
31.681159
86
0.60979
0.809898
768
4,411
ex
Elixir
personal4wsk/farmbot_os
[ "MIT" ]
null
personal4wsk/farmbot_os
[ "MIT" ]
null
personal4wsk/farmbot_os
[ "MIT" ]
null
defmodule FarmbotCeleryScript.SysCalls.Stubs do @moduledoc """ SysCall implementation that doesn't do anything. Useful for tests. """ @behaviour FarmbotCeleryScript.SysCalls require Logger @impl true def log(message, force?), do: error(:log, [message, force?]) @impl true def sequence_init_log(message), do: error(:log, [message]) @impl true def sequence_complete_log(message), do: error(:log, [message]) @impl true def calibrate(axis), do: error(:calibrate, [axis]) @impl true def change_ownership(email, secret, server), do: error(:change_ownership, [email, secret, server]) @impl true def check_update(), do: error(:check_update, []) @impl true def coordinate(x, y, z), do: error(:coordinate, [x, y, z]) @impl true def emergency_lock(), do: error(:emergency_lock, []) @impl true def emergency_unlock(), do: error(:emergency_unlock, []) @impl true def execute_script(package, args), do: error(:execute_script, [package, args]) @impl true def update_farmware(package), do: error(:update_farmware, [package]) @impl true def factory_reset(package), do: error(:factory_reset, [package]) @impl true def find_home(axis), do: error(:find_home, [axis]) @impl true def firmware_reboot(), do: error(:firmware_reboot, []) @impl true def flash_firmware(package), do: error(:flash_firmware, [package]) @impl true def get_current_x(), do: error(:get_current_x, []) @impl true def get_current_y(), do: error(:get_current_y, []) @impl true def get_current_z(), do: error(:get_current_z, []) @impl true def get_cached_x(), do: error(:get_cached_x, []) @impl true def get_cached_y(), do: error(:get_cached_y, []) @impl true def get_cached_z(), do: error(:get_cached_z, []) @impl true def get_sequence(resource_id), do: error(:get_sequence, [resource_id]) @impl true def get_toolslot_for_tool(resource_id), do: error(:get_toolslot_for_tool, [resource_id]) @impl true def home(axis, speed), do: error(:home, [axis, speed]) @impl true def install_first_party_farmware(), do: error(:install_first_party_farmware, []) @impl true def move_absolute(x, y, z, speed), do: error(:move_absolute, [x, y, z, speed]) @impl true def move_absolute(x, y, z, sx, sy, sz), do: error(:move_absolute, [x, y, z, sx, sy, sz]) @impl true def named_pin(named_pin_type, resource_id), do: error(:named_pin, [named_pin_type, resource_id]) @impl true def nothing(), do: error(:nothing, []) @impl true def point(point_type, resource_id), do: error(:point, [point_type, resource_id]) @impl true def find_points_via_group(id), do: error(:find_points_via_group, [id]) @impl true def power_off(), do: error(:power_off, []) @impl true def read_pin(pin_num, pin_mode), do: error(:read_pin, [pin_num, pin_mode]) @impl true def read_cached_pin(pin_num), do: error(:read_cached_pin, [pin_num]) @impl true def toggle_pin(pin_num), do: error(:toggle_pin, [pin_num]) @impl true def read_status(), do: error(:read_status, []) @impl true def reboot(), do: error(:reboot, []) @impl true def raw_lua_eval(expr), do: error(:raw_lua_eval, [expr]) @impl true def raw_lua_eval(expr, extras), do: error(:raw_lua_eval, [expr, extras]) @impl true def send_message(type, message, channels), do: error(:send_message, [type, message, channels]) @impl true def set_servo_angle(pin, value), do: error(:set_servo_angle, [pin, value]) @impl true def set_pin_io_mode(pin, mode), do: error(:set_pin_io_mode, [pin, mode]) @impl true def set_user_env(env_name, env_value), do: error(:set_user_env, [env_name, env_value]) @impl true def sync(), do: error(:sync, []) @impl true def wait(millis), do: error(:wait, [millis]) @impl true def write_pin(pin_num, pin_mode, pin_value), do: error(:write_pin, [pin_num, pin_mode, pin_value]) @impl true def update_resource(kind, id, params), do: error(:update_resource, [kind, id, params]) @impl true def zero(axis), do: error(:zero, [axis]) @impl true def eval_assertion(comment, expression), do: error(:eval_assertion, [comment, expression]) @impl true def fbos_config(), do: error(:fbos_config, []) defp error(fun, _args) do msg = """ CeleryScript syscall stubbed: #{fun} """ # Logger.error(msg) {:error, msg} end end
24.642458
80
0.677624
0.912608
1,663
9,403
pas
Pascal
herux/aws-sdk-delphi
[ "Apache-2.0" ]
67
herux/aws-sdk-delphi
[ "Apache-2.0" ]
5
herux/aws-sdk-delphi
[ "Apache-2.0" ]
13
unit AWS.SES.Model.SendRawEmailRequest; interface uses Bcl.Types.Nullable, System.Generics.Collections, AWS.SES.Model.Request, AWS.SES.Model.RawMessage, AWS.SES.Model.MessageTag; type TSendRawEmailRequest = class; ISendRawEmailRequest = interface function GetConfigurationSetName: string; procedure SetConfigurationSetName(const Value: string); function GetDestinations: TList<string>; procedure SetDestinations(const Value: TList<string>); function GetKeepDestinations: Boolean; procedure SetKeepDestinations(const Value: Boolean); function GetFromArn: string; procedure SetFromArn(const Value: string); function GetRawMessage: TRawMessage; procedure SetRawMessage(const Value: TRawMessage); function GetKeepRawMessage: Boolean; procedure SetKeepRawMessage(const Value: Boolean); function GetReturnPathArn: string; procedure SetReturnPathArn(const Value: string); function GetSource: string; procedure SetSource(const Value: string); function GetSourceArn: string; procedure SetSourceArn(const Value: string); function GetTags: TObjectList<TMessageTag>; procedure SetTags(const Value: TObjectList<TMessageTag>); function GetKeepTags: Boolean; procedure SetKeepTags(const Value: Boolean); function Obj: TSendRawEmailRequest; function IsSetConfigurationSetName: Boolean; function IsSetDestinations: Boolean; function IsSetFromArn: Boolean; function IsSetRawMessage: Boolean; function IsSetReturnPathArn: Boolean; function IsSetSource: Boolean; function IsSetSourceArn: Boolean; function IsSetTags: Boolean; property ConfigurationSetName: string read GetConfigurationSetName write SetConfigurationSetName; property Destinations: TList<string> read GetDestinations write SetDestinations; property KeepDestinations: Boolean read GetKeepDestinations write SetKeepDestinations; property FromArn: string read GetFromArn write SetFromArn; property RawMessage: TRawMessage read GetRawMessage write SetRawMessage; property KeepRawMessage: Boolean read GetKeepRawMessage write SetKeepRawMessage; property ReturnPathArn: string read GetReturnPathArn write SetReturnPathArn; property Source: string read GetSource write SetSource; property SourceArn: string read GetSourceArn write SetSourceArn; property Tags: TObjectList<TMessageTag> read GetTags write SetTags; property KeepTags: Boolean read GetKeepTags write SetKeepTags; end; TSendRawEmailRequest = class(TAmazonSimpleEmailServiceRequest, ISendRawEmailRequest) strict private FConfigurationSetName: Nullable<string>; FDestinations: TList<string>; FKeepDestinations: Boolean; FFromArn: Nullable<string>; FRawMessage: TRawMessage; FKeepRawMessage: Boolean; FReturnPathArn: Nullable<string>; FSource: Nullable<string>; FSourceArn: Nullable<string>; FTags: TObjectList<TMessageTag>; FKeepTags: Boolean; function GetConfigurationSetName: string; procedure SetConfigurationSetName(const Value: string); function GetDestinations: TList<string>; procedure SetDestinations(const Value: TList<string>); function GetKeepDestinations: Boolean; procedure SetKeepDestinations(const Value: Boolean); function GetFromArn: string; procedure SetFromArn(const Value: string); function GetRawMessage: TRawMessage; procedure SetRawMessage(const Value: TRawMessage); function GetKeepRawMessage: Boolean; procedure SetKeepRawMessage(const Value: Boolean); function GetReturnPathArn: string; procedure SetReturnPathArn(const Value: string); function GetSource: string; procedure SetSource(const Value: string); function GetSourceArn: string; procedure SetSourceArn(const Value: string); function GetTags: TObjectList<TMessageTag>; procedure SetTags(const Value: TObjectList<TMessageTag>); function GetKeepTags: Boolean; procedure SetKeepTags(const Value: Boolean); strict protected function Obj: TSendRawEmailRequest; public constructor Create; overload; destructor Destroy; override; constructor Create(const ARawMessage: TRawMessage); overload; function IsSetConfigurationSetName: Boolean; function IsSetDestinations: Boolean; function IsSetFromArn: Boolean; function IsSetRawMessage: Boolean; function IsSetReturnPathArn: Boolean; function IsSetSource: Boolean; function IsSetSourceArn: Boolean; function IsSetTags: Boolean; property ConfigurationSetName: string read GetConfigurationSetName write SetConfigurationSetName; property Destinations: TList<string> read GetDestinations write SetDestinations; property KeepDestinations: Boolean read GetKeepDestinations write SetKeepDestinations; property FromArn: string read GetFromArn write SetFromArn; property RawMessage: TRawMessage read GetRawMessage write SetRawMessage; property KeepRawMessage: Boolean read GetKeepRawMessage write SetKeepRawMessage; property ReturnPathArn: string read GetReturnPathArn write SetReturnPathArn; property Source: string read GetSource write SetSource; property SourceArn: string read GetSourceArn write SetSourceArn; property Tags: TObjectList<TMessageTag> read GetTags write SetTags; property KeepTags: Boolean read GetKeepTags write SetKeepTags; end; implementation { TSendRawEmailRequest } constructor TSendRawEmailRequest.Create; begin inherited; FDestinations := TList<string>.Create; FTags := TObjectList<TMessageTag>.Create; end; destructor TSendRawEmailRequest.Destroy; begin Tags := nil; RawMessage := nil; Destinations := nil; inherited; end; function TSendRawEmailRequest.Obj: TSendRawEmailRequest; begin Result := Self; end; constructor TSendRawEmailRequest.Create(const ARawMessage: TRawMessage); begin inherited Create; RawMessage := ARawMessage; end; function TSendRawEmailRequest.GetConfigurationSetName: string; begin Result := FConfigurationSetName.ValueOrDefault; end; procedure TSendRawEmailRequest.SetConfigurationSetName(const Value: string); begin FConfigurationSetName := Value; end; function TSendRawEmailRequest.IsSetConfigurationSetName: Boolean; begin Result := FConfigurationSetName.HasValue; end; function TSendRawEmailRequest.GetDestinations: TList<string>; begin Result := FDestinations; end; procedure TSendRawEmailRequest.SetDestinations(const Value: TList<string>); begin if FDestinations <> Value then begin if not KeepDestinations then FDestinations.Free; FDestinations := Value; end; end; function TSendRawEmailRequest.GetKeepDestinations: Boolean; begin Result := FKeepDestinations; end; procedure TSendRawEmailRequest.SetKeepDestinations(const Value: Boolean); begin FKeepDestinations := Value; end; function TSendRawEmailRequest.IsSetDestinations: Boolean; begin Result := (FDestinations <> nil) and (FDestinations.Count > 0); end; function TSendRawEmailRequest.GetFromArn: string; begin Result := FFromArn.ValueOrDefault; end; procedure TSendRawEmailRequest.SetFromArn(const Value: string); begin FFromArn := Value; end; function TSendRawEmailRequest.IsSetFromArn: Boolean; begin Result := FFromArn.HasValue; end; function TSendRawEmailRequest.GetRawMessage: TRawMessage; begin Result := FRawMessage; end; procedure TSendRawEmailRequest.SetRawMessage(const Value: TRawMessage); begin if FRawMessage <> Value then begin if not KeepRawMessage then FRawMessage.Free; FRawMessage := Value; end; end; function TSendRawEmailRequest.GetKeepRawMessage: Boolean; begin Result := FKeepRawMessage; end; procedure TSendRawEmailRequest.SetKeepRawMessage(const Value: Boolean); begin FKeepRawMessage := Value; end; function TSendRawEmailRequest.IsSetRawMessage: Boolean; begin Result := FRawMessage <> nil; end; function TSendRawEmailRequest.GetReturnPathArn: string; begin Result := FReturnPathArn.ValueOrDefault; end; procedure TSendRawEmailRequest.SetReturnPathArn(const Value: string); begin FReturnPathArn := Value; end; function TSendRawEmailRequest.IsSetReturnPathArn: Boolean; begin Result := FReturnPathArn.HasValue; end; function TSendRawEmailRequest.GetSource: string; begin Result := FSource.ValueOrDefault; end; procedure TSendRawEmailRequest.SetSource(const Value: string); begin FSource := Value; end; function TSendRawEmailRequest.IsSetSource: Boolean; begin Result := FSource.HasValue; end; function TSendRawEmailRequest.GetSourceArn: string; begin Result := FSourceArn.ValueOrDefault; end; procedure TSendRawEmailRequest.SetSourceArn(const Value: string); begin FSourceArn := Value; end; function TSendRawEmailRequest.IsSetSourceArn: Boolean; begin Result := FSourceArn.HasValue; end; function TSendRawEmailRequest.GetTags: TObjectList<TMessageTag>; begin Result := FTags; end; procedure TSendRawEmailRequest.SetTags(const Value: TObjectList<TMessageTag>); begin if FTags <> Value then begin if not KeepTags then FTags.Free; FTags := Value; end; end; function TSendRawEmailRequest.GetKeepTags: Boolean; begin Result := FKeepTags; end; procedure TSendRawEmailRequest.SetKeepTags(const Value: Boolean); begin FKeepTags := Value; end; function TSendRawEmailRequest.IsSetTags: Boolean; begin Result := (FTags <> nil) and (FTags.Count > 0); end; end.
29.569182
101
0.785175
0.872335
2,711
399
bat
Batchfile
m-tmatma/TimeStampTee
[ "MIT" ]
null
m-tmatma/TimeStampTee
[ "MIT" ]
null
m-tmatma/TimeStampTee
[ "MIT" ]
null
@echo off cd /d %~dp0 set NUGET_EXE="C:\Program Files (x86)\NuGet\nuget.exe" set PKG_FILE=%1 if "%PKG_FILE%" == "" ( echo "pacakge file needed" exit /b 1 ) if not exist "%PKG_FILE%" ( echo "package: %PKG_FILE% is not found" exit /b 1 ) echo %NUGET_EXE% push %PKG_FILE% -Source https://www.nuget.org/api/v2/package %NUGET_EXE% push %PKG_FILE% -Source https://www.nuget.org/api/v2/package
22.166667
77
0.676692
0.814585
187
1,435
md
Markdown
victorjoao97/docs.pt-br
[ "CC-BY-4.0", "MIT" ]
null
victorjoao97/docs.pt-br
[ "CC-BY-4.0", "MIT" ]
null
victorjoao97/docs.pt-br
[ "CC-BY-4.0", "MIT" ]
null
--- title: NumberOfChars deve ser maior que zero ms.date: 07/20/2015 f1_keywords: - vbrTextFieldParser_NumberOfCharsMustBePositive ms.assetid: 3eea4bbf-cd49-4d19-adfb-0e2adf087065 ms.openlocfilehash: a8c979b4863b19d2494ed1fbcb6f96094d748eb4 ms.sourcegitcommit: f8c270376ed905f6a8896ce0fe25b4f4b38ff498 ms.translationtype: MT ms.contentlocale: pt-BR ms.lasthandoff: 06/04/2020 ms.locfileid: "84376037" --- # <a name="numberofchars-must-be-greater-than-zero"></a>NumberOfChars deve ser maior que zero Ao usar o `PeekChars` método do `TextFieldParser` objeto, você deve fornecer um `NumberOfChars` valor maior que `0` . ## <a name="to-correct-this-error"></a>Para corrigir este erro - Altere `NumberOfChars` para um valor maior que `0` . ## <a name="see-also"></a>Confira também - [Como: ler de arquivos de texto com vários formatos](../developing-apps/programming/drives-directories-files/how-to-read-from-text-files-with-multiple-formats.md) - [My. Computer. FileSystem. OpenTextFieldParser](xref:Microsoft.VisualBasic.FileIO.FileSystem.OpenTextFieldParser%2A) - [Método TextFieldParser. PeekChars](xref:Microsoft.VisualBasic.FileIO.TextFieldParser.PeekChars%2A) - [Analisando arquivos de texto com o objeto TextFieldParser](../developing-apps/programming/drives-directories-files/parsing-text-files-with-the-textfieldparser-object.md) - [Objeto TextFieldParser](../language-reference/objects/textfieldparser-object.md)
51.25
172
0.794425
0.826358
591
390
vhd
VHDL
dpocheng/VHDL-Complete-MIPS-Processor
[ "Apache-2.0" ]
null
dpocheng/VHDL-Complete-MIPS-Processor
[ "Apache-2.0" ]
null
dpocheng/VHDL-Complete-MIPS-Processor
[ "Apache-2.0" ]
null
-- Student name: Pok On Cheng -- Student ID number: 74157306 LIBRARY IEEE; USE IEEE.std_logic_1164.all; USE IEEE.std_logic_unsigned.all; package Glob_dcls is constant word_size : integer := 32; subtype word is std_logic_vector(word_size-1 downto 0); subtype ALU_opcode is std_logic_vector(2 downto 0); subtype REG_addr is std_logic_vector(4 downto 0); end Glob_dcls;
27.857143
59
0.751282
0.83
162
836
rmd
RMarkdown
brigurney/myprojects
[ "CC0-1.0" ]
null
brigurney/myprojects
[ "CC0-1.0" ]
null
brigurney/myprojects
[ "CC0-1.0" ]
null
--- layout: page title: Llama Card Game Simulation knit: (function(input_file, encoding) { out_dir <- 'docs'; rmarkdown::render(input_file, encoding=encoding, output_file=file.path(dirname(input_file), out_dir, 'index.html'))}) output: html_document --- This code is to simulate playing the LLAMA Card Game. Instructions for how to play can be found at [this website](https://www.amigo.games/content/ap/rule/19420--031-2019-Lama_Manual_002_LAYOUT[1].pdf) ### Functions First, I will create some useful functions. The first, getpoints, will take a player's hand and count how many points that hand is worth. ```{r} getpoints <- function(hand) { hand[hand == 7] <- 10 points <- sum(unique(hand)) return(points) } ``` For example, if I have a 1,4,7 (llama), and 2, my points would be: ```{r} getpoints(c(1,4,7,2)) ``` Next,
27.866667
146
0.711722
0.816566
315
342
mk
Makefile
SOKP/device_htc_m8
[ "Apache-2.0" ]
null
SOKP/device_htc_m8
[ "Apache-2.0" ]
null
SOKP/device_htc_m8
[ "Apache-2.0" ]
null
$(call inherit-product, device/htc/m8/full_m8.mk) # Enhanced NFC $(call inherit-product, vendor/sokp/config/nfc_enhanced.mk) # Inherit some common SOKP stuff. $(call inherit-product, vendor/sokp/config/common_full_phone.mk) PRODUCT_NAME := sokp_m8 PRODUCT_DEVICE := m8 PRODUCT_BRAND := htc PRODUCT_MANUFACTURER := htc PRODUCT_MODEL := m8
22.8
64
0.774854
0.898571
144
3,206
pm
Perl
lightstar/anyjob
[ "Apache-2.0" ]
null
lightstar/anyjob
[ "Apache-2.0" ]
null
lightstar/anyjob
[ "Apache-2.0" ]
null
package AnyJob::Controller::Global::Clean; ############################################################################### # Controller which manages cleaning timeouted jobsets. Only one such controller in whole system must run. # # Author: LightStar # Created: 23.10.2017 # Last update: 02.02.2019 # use strict; use warnings; use utf8; use AnyJob::Constants::Defaults qw(DEFAULT_CLEAN_LIMIT DEFAULT_CLEAN_DELAY); use AnyJob::Constants::Events qw(EVENT_CLEAN_JOBSET); use base 'AnyJob::Controller::Global'; ############################################################################### # Method which will be called one time before beginning of processing. # sub init { my $self = shift; } ############################################################################### # Get array of all possible event queues. # # Returns: # array of string queue names. # sub getEventQueues { my $self = shift; return []; } ############################################################################### # Get array of event queues which needs to be listened right now. # # Returns: # array of string queue names. # sub getActiveEventQueues { my $self = shift; return []; } ############################################################################### # Get delay before next 'process' method invocation. # # Arguments: # integer delay in seconds or undef if 'process' method should not be called at all. # sub getProcessDelay { my $self = shift; if ($self->parent->getActiveJobSetCount() == 0) { return undef; } return $self->calcProcessDelay($self->delay()); } ############################################################################### # Method called by daemon component on basis of provided delay. # Its main task is to collect timeouted jobsets and clean them. # # Returns: # integer delay in seconds before the next 'process' method invocation or undef if 'process' method should not be # called yet. # sub process { my $self = shift; my $nodeConfig = $self->config->getNodeConfig() || {}; my $limit = $nodeConfig->{global_clean_limit} || $self->config->clean_limit || DEFAULT_CLEAN_LIMIT; my @ids = $self->redis->zrangebyscore('anyjob:jobsets', '-inf', time(), 'LIMIT', '0', $limit); foreach my $id (@ids) { if (defined(my $jobSet = $self->getJobSet($id))) { $self->sendEvent(EVENT_CLEAN_JOBSET, { id => $id, (exists($jobSet->{type}) ? (type => $jobSet->{type}) : ()), props => $jobSet->{props}, jobs => $jobSet->{jobs} }); } else { $self->error('Cleaned jobset \'' . $id . '\' not found'); } $self->cleanJobSet($id); } return $self->updateProcessDelay($self->delay()); } ############################################################################### # Get delay between 'process' method invocations. # # Arguments: # integer delay in seconds. # sub delay { my $self = shift; my $nodeConfig = $self->config->getNodeConfig() || {}; return $nodeConfig->{global_clean_delay} || $self->config->clean_delay || DEFAULT_CLEAN_DELAY; } 1;
28.882883
117
0.522458
0.802593
895
2,859
groovy
Groovy
michaelss/groovy-core
[ "Apache-2.0" ]
6
michaelss/groovy-core
[ "Apache-2.0" ]
8
michaelss/groovy-core
[ "Apache-2.0" ]
3
/** * @author Jeremy Rayner */ package org.codehaus.groovy.tck import java.io.File; class BatchGenerate { def generator; def srcDirPath; def targetDir; def srcEncoding; def srcs; def spew public BatchGenerate() { generator = new TestGenerator(); // verbose = false; spew = true; srcDirPath = "./"; } public void setSrcdirPath(String pathName) { if (spew) {println("srcDir:${pathName}") } srcDirPath = pathName; } public void setTargetDirectory(File destDir) { if (spew) { println("destDir:${destDir}") } targetDir = destDir; } public void setSourceEncoding(String encoding) { if (spew) { println("encoding:${encoding}") } srcEncoding = encoding; } public void addSources( File[] compileList ) { if (spew) { println("compileList:${compileList}") } srcs = compileList } public void setVerbose(boolean verbose) { spew = verbose } public void compile() { if (spew) { println("compile()") } for (src in srcs) { println( src ) // mung the ${test.src.dir}/gls/ch14/s4 path into ${dest.dir}/gls/ch14/s4 // first determine the relative path e.g. gls/ch14/s4 def relativeSrcFilePathAndName = src.getAbsolutePath().substring(srcDirPath.length() + 1) def relativeSrcFileNameStartIndex = relativeSrcFilePathAndName.lastIndexOf(File.separator); def relativeOutputPath = "" if (relativeSrcFileNameStartIndex >= 0) { relativeOutputPath = relativeSrcFilePathAndName.substring(0,relativeSrcFileNameStartIndex); } // then determine the absolute output path def ghostOutputFile = new File(targetDir, relativeSrcFilePathAndName) def ghostOutputFilePath = ghostOutputFile.getAbsolutePath() def fileNameStartIndex = ghostOutputFilePath.lastIndexOf(File.separator); def realOutputPath = ghostOutputFilePath.substring(0,fileNameStartIndex); // mkdir if does not exist File directory = new File(realOutputPath) if (directory != null && !directory.exists()) { directory.mkdirs(); } // generate a suitable java file to put there def fileStem = src.name.tokenize(".")[0] def targetFileName = "${fileStem}Test.java" def anOutputFile = new File(realOutputPath, targetFileName) System.out.println("generating " + targetFileName) def someOutputText = generator.generate(relativeOutputPath, targetDir, src.name,src.text); if (someOutputText != null && someOutputText != "") { anOutputFile.write(someOutputText); } } } }
32.862069
107
0.607905
0.817233
791
446
cs
C#
keutmann/SPM
[ "MIT" ]
11
keutmann/SPM
[ "MIT" ]
null
keutmann/SPM
[ "MIT" ]
7
/* --------------------------- * SharePoint Manager 2010 v2 * Created by Carsten Keutmann * --------------------------- */ using System; using Microsoft.SharePoint; using Microsoft.SharePoint.Administration; using SPM2.Framework; namespace SPM2.SharePoint.Model { [Title("ExemptUserAgents")] [Icon(Small="BULLET.GIF")] [ExportToNode("SPM2.SharePoint.Model.FormsServiceNode")] public partial class ExemptUserAgentCollectionNode { } }
20.272727
57
0.670404
0.883784
143
6,442
thrift
Thrift
FlexSNR/patch
[ "Apache-2.0" ]
1
FlexSNR/patch
[ "Apache-2.0" ]
null
FlexSNR/patch
[ "Apache-2.0" ]
3
// //Copyright [2016] [SnapRoute Inc] // //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. // // This is a auto-generated file, please do not edit! // _______ __ __________ ___ _______.____ __ ____ __ .___________. ______ __ __ // | ____|| | | ____\ \ / / / |\ \ / \ / / | | | | / || | | | // | |__ | | | |__ \ V / | (---- \ \/ \/ / | | ---| |---- | ,---- | |__| | // | __| | | | __| > < \ \ \ / | | | | | | | __ | // | | | `----.| |____ / . \ .----) | \ /\ / | | | | | `----.| | | | // |__| |_______||_______/__/ \__\ |_______/ \__/ \__/ |__| |__| \______||__| |__| // namespace go ospfv2d typedef i32 int typedef i16 uint16 struct Ospfv2Area { 1 : string AreaId 2 : string AdminState 3 : string AuthType 4 : bool ImportASExtern } struct Ospfv2RouteState { 1 : string DestId 2 : string AddrMask 3 : string DestType 4 : i32 OptCapabilities 5 : string AreaId 6 : string PathType 7 : i32 Cost 8 : i32 Type2Cost 9 : i16 NumOfPaths 10 : string LSOriginLSType 11 : string LSOriginLSId 12 : string LSOriginAdvRouter 13 : list<Ospfv2NextHop> NextHops } struct Ospfv2RouteStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2RouteState> Ospfv2RouteStateList } struct Ospfv2Intf { 1 : string IpAddress 2 : i32 AddressLessIfIdx 3 : string AdminState 4 : string AreaId 5 : string Type 6 : byte RtrPriority 7 : i16 TransitDelay 8 : i16 RetransInterval 9 : i16 HelloInterval 10 : i32 RtrDeadInterval 11 : i16 MetricValue } struct Ospfv2NbrState { 1 : string IpAddr 2 : i32 AddressLessIfIdx 3 : string RtrId 4 : i32 Options 5 : string State } struct Ospfv2NbrStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2NbrState> Ospfv2NbrStateList } struct Ospfv2AreaState { 1 : string AreaId 2 : i32 NumOfRouterLSA 3 : i32 NumOfNetworkLSA 4 : i32 NumOfSummary3LSA 5 : i32 NumOfSummary4LSA 6 : i32 NumOfASExternalLSA 7 : i32 NumOfIntfs 8 : i32 NumOfLSA 9 : i32 NumOfNbrs 10 : i32 NumOfRoutes } struct Ospfv2AreaStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2AreaState> Ospfv2AreaStateList } struct Ospfv2LsdbState { 1 : string LSType 2 : string LSId 3 : string AreaId 4 : string AdvRouterId 5 : string SequenceNum 6 : i16 Age 7 : i16 Checksum 8 : byte Options 9 : i16 Length 10 : string Advertisement } struct Ospfv2LsdbStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2LsdbState> Ospfv2LsdbStateList } struct Ospfv2GlobalState { 1 : string Vrf 2 : bool AreaBdrRtrStatus 3 : i32 NumOfAreas 4 : i32 NumOfIntfs 5 : i32 NumOfNbrs 6 : i32 NumOfLSA 7 : i32 NumOfRouterLSA 8 : i32 NumOfNetworkLSA 9 : i32 NumOfSummary3LSA 10 : i32 NumOfSummary4LSA 11 : i32 NumOfASExternalLSA 12 : i32 NumOfRoutes } struct Ospfv2GlobalStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2GlobalState> Ospfv2GlobalStateList } struct Ospfv2IntfState { 1 : string IpAddress 2 : i32 AddressLessIfIdx 3 : string State 4 : string DesignatedRouter 5 : string DesignatedRouterId 6 : string BackupDesignatedRouter 7 : string BackupDesignatedRouterId 8 : i32 NumOfRouterLSA 9 : i32 NumOfNetworkLSA 10 : i32 NumOfSummary3LSA 11 : i32 NumOfSummary4LSA 12 : i32 NumOfASExternalLSA 13 : i32 NumOfLSA 14 : i32 NumOfNbrs 15 : i32 NumOfRoutes 16 : i32 Mtu 17 : i32 Cost 18 : i32 NumOfStateChange 19 : string TimeOfStateChange } struct Ospfv2IntfStateGetInfo { 1: int StartIdx 2: int EndIdx 3: int Count 4: bool More 5: list<Ospfv2IntfState> Ospfv2IntfStateList } struct Ospfv2Global { 1 : string Vrf 2 : string RouterId 3 : string AdminState 4 : bool ASBdrRtrStatus 5 : i32 ReferenceBandwidth } struct Ospfv2NextHop { 1 : string IntfIPAddr 2 : i32 IntfIdx 3 : string NextHopIPAddr 4 : string AdvRtrId } struct PatchOpInfo { 1 : string Op 2 : string Path 3 : string Value } service OSPFV2DServices { bool CreateOspfv2Area(1: Ospfv2Area config); bool UpdateOspfv2Area(1: Ospfv2Area origconfig, 2: Ospfv2Area newconfig, 3: list<bool> attrset, 4: list<PatchOpInfo> op); bool DeleteOspfv2Area(1: Ospfv2Area config); Ospfv2RouteStateGetInfo GetBulkOspfv2RouteState(1: int fromIndex, 2: int count); Ospfv2RouteState GetOspfv2RouteState(1: string DestId, 2: string AddrMask, 3: string DestType); bool CreateOspfv2Intf(1: Ospfv2Intf config); bool UpdateOspfv2Intf(1: Ospfv2Intf origconfig, 2: Ospfv2Intf newconfig, 3: list<bool> attrset, 4: list<PatchOpInfo> op); bool DeleteOspfv2Intf(1: Ospfv2Intf config); Ospfv2NbrStateGetInfo GetBulkOspfv2NbrState(1: int fromIndex, 2: int count); Ospfv2NbrState GetOspfv2NbrState(1: string IpAddr, 2: i32 AddressLessIfIdx); Ospfv2AreaStateGetInfo GetBulkOspfv2AreaState(1: int fromIndex, 2: int count); Ospfv2AreaState GetOspfv2AreaState(1: string AreaId); Ospfv2LsdbStateGetInfo GetBulkOspfv2LsdbState(1: int fromIndex, 2: int count); Ospfv2LsdbState GetOspfv2LsdbState(1: string LSType, 2: string LSId, 3: string AreaId, 4: string AdvRouterId); Ospfv2GlobalStateGetInfo GetBulkOspfv2GlobalState(1: int fromIndex, 2: int count); Ospfv2GlobalState GetOspfv2GlobalState(1: string Vrf); Ospfv2IntfStateGetInfo GetBulkOspfv2IntfState(1: int fromIndex, 2: int count); Ospfv2IntfState GetOspfv2IntfState(1: string IpAddress, 2: i32 AddressLessIfIdx); bool CreateOspfv2Global(1: Ospfv2Global config); bool UpdateOspfv2Global(1: Ospfv2Global origconfig, 2: Ospfv2Global newconfig, 3: list<bool> attrset, 4: list<PatchOpInfo> op); bool DeleteOspfv2Global(1: Ospfv2Global config); }
29.962791
128
0.68814
0.83375
2,712
7,877
f
FORTRAN
manoelfranca/cilppp
[ "Apache-2.0" ]
2
manoelfranca/cilppp
[ "Apache-2.0" ]
1
manoelfranca/cilppp
[ "Apache-2.0" ]
null
less_toxic(w1,i1). less_toxic(o1,v1). less_toxic(jj1,c1). less_toxic(b1,h1). less_toxic(r1,jj1). less_toxic(m1,e1). less_toxic(x1,b1). less_toxic(ff1,v1). less_toxic(jj1,d1). less_toxic(ee1,c1). less_toxic(y1,z1). less_toxic(bb1,w1). less_toxic(o1,p1). less_toxic(w1,jj1). less_toxic(ff1,cc1). less_toxic(h1,c1). less_toxic(ff1,i1). less_toxic(a1,p1). less_toxic(j1,u1). less_toxic(g1,v1). less_toxic(k1,f1). less_toxic(cc1,f1). less_toxic(kk1,d1). less_toxic(k1,e1). less_toxic(aa1,d1). less_toxic(ee1,d1). less_toxic(v1,f1). less_toxic(g1,d1). less_toxic(g1,e1). less_toxic(x1,f1). less_toxic(e1,p1). less_toxic(g1,t1). less_toxic(r1,f1). less_toxic(ii1,i1). less_toxic(bb1,aa1). less_toxic(m1,v1). less_toxic(r1,a1). less_toxic(r1,d1). less_toxic(hh1,v1). less_toxic(x1,cc1). less_toxic(w1,a1). less_toxic(q1,t1). less_toxic(dd1,p1). less_toxic(j1,v1). less_toxic(kk1,b1). less_toxic(ll1,t1). less_toxic(j1,i1). less_toxic(j1,jj1). less_toxic(ee1,cc1). less_toxic(w1,u1). less_toxic(o1,u1). less_toxic(j1,z1). less_toxic(k1,c1). less_toxic(k1,cc1). less_toxic(hh1,f1). less_toxic(i1,f1). less_toxic(m1,a1). less_toxic(t1,c1). less_toxic(cc1,a1). less_toxic(ee1,f1). less_toxic(w1,e1). less_toxic(cc1,h1). less_toxic(hh1,e1). less_toxic(bb1,e1). less_toxic(g1,dd1). less_toxic(ll1,d1). less_toxic(m1,d1). less_toxic(hh1,c1). less_toxic(kk1,e1). less_toxic(g1,z1). less_toxic(x1,a1). less_toxic(l1,d1). less_toxic(b1,dd1). less_toxic(ii1,u1). less_toxic(g1,a1). less_toxic(m1,l1). less_toxic(ll1,i1). less_toxic(t1,p1). less_toxic(w1,f1). less_toxic(kk1,a1). less_toxic(m1,aa1). less_toxic(n1,w1). less_toxic(bb1,z1). less_toxic(k1,a1). less_toxic(s1,u1). less_toxic(v1,p1). less_toxic(kk1,i1). less_toxic(ff1,d1). less_toxic(k1,u1). less_toxic(aa1,f1). less_toxic(cc1,z1). less_toxic(ff1,dd1). less_toxic(x1,l1). less_toxic(ee1,z1). less_toxic(bb1,l1). less_toxic(e1,c1). less_toxic(ll1,l1). less_toxic(hh1,dd1). less_toxic(q1,p1). less_toxic(cc1,t1). less_toxic(aa1,p1). less_toxic(w1,dd1). less_toxic(hh1,u1). less_toxic(m1,i1). less_toxic(m1,c1). less_toxic(b1,c1). less_toxic(w1,h1). less_toxic(ee1,e1). less_toxic(ee1,w1). less_toxic(j1,c1). less_toxic(r1,c1). less_toxic(kk1,h1). less_toxic(ii1,h1). less_toxic(r1,h1). less_toxic(i1,p1). less_toxic(e1,d1). less_toxic(kk1,z1). less_toxic(g1,aa1). less_toxic(kk1,aa1). less_toxic(h1,d1). less_toxic(m1,b1). less_toxic(s1,i1). less_toxic(ee1,a1). less_toxic(kk1,p1). less_toxic(m1,f1). less_toxic(o1,aa1). less_toxic(w1,v1). less_toxic(y1,l1). less_toxic(o1,z1). less_toxic(ii1,t1). less_toxic(w1,d1). less_toxic(kk1,l1). less_toxic(k1,z1). less_toxic(ii1,d1). less_toxic(y1,p1). less_toxic(y1,u1). less_toxic(dd1,c1). less_toxic(s1,t1). less_toxic(aa1,c1). less_toxic(o1,dd1). less_toxic(q1,w1). less_toxic(m1,z1). less_toxic(ff1,l1). less_toxic(bb1,t1). less_toxic(j1,f1). less_toxic(ee1,u1). less_toxic(s1,a1). less_toxic(y1,a1). less_toxic(z1,p1). less_toxic(n1,a1). less_toxic(q1,a1). less_toxic(o1,f1). less_toxic(ff1,c1). less_toxic(q1,cc1). less_toxic(bb1,dd1). less_toxic(hh1,t1). less_toxic(o1,l1). less_toxic(r1,i1). less_toxic(b1,aa1). less_toxic(r1,dd1). less_toxic(jj1,f1). less_toxic(bb1,d1). less_toxic(kk1,jj1). less_toxic(o1,e1). less_toxic(f1,d1). less_toxic(j1,w1). less_toxic(t1,d1). less_toxic(r1,b1). less_toxic(n1,jj1). less_toxic(n1,d1). less_toxic(a1,f1). less_toxic(g1,f1). less_toxic(cc1,l1). less_toxic(q1,aa1). less_toxic(e1,f1). less_toxic(j1,dd1). less_toxic(z1,c1). less_toxic(ll1,v1). less_toxic(r1,p1). less_toxic(ii1,b1). less_toxic(ii1,e1). less_toxic(dd1,d1). less_toxic(cc1,p1). less_toxic(r1,e1). less_toxic(hh1,jj1). less_toxic(b1,t1). less_toxic(b1,z1). less_toxic(u1,p1). less_toxic(ll1,c1). less_toxic(ll1,dd1). less_toxic(k1,jj1). less_toxic(ii1,aa1). less_toxic(kk1,dd1). less_toxic(q1,v1). less_toxic(z1,d1). less_toxic(dd1,f1). less_toxic(l1,c1). less_toxic(kk1,u1). less_toxic(ee1,t1). less_toxic(b1,p1). less_toxic(k1,b1). less_toxic(n1,i1). less_toxic(bb1,c1). less_toxic(z1,f1). less_toxic(n1,c1). less_toxic(m1,w1). less_toxic(ii1,p1). less_toxic(s1,d1). less_toxic(bb1,cc1). less_toxic(g1,u1). less_toxic(hh1,l1). less_toxic(x1,v1). less_toxic(v1,c1). less_toxic(x1,p1). less_toxic(q1,dd1). less_toxic(y1,d1). less_toxic(hh1,d1). less_toxic(ii1,f1). less_toxic(j1,h1). less_toxic(kk1,f1). less_toxic(n1,dd1). less_toxic(y1,v1). less_toxic(hh1,z1). less_toxic(hh1,b1). less_toxic(y1,h1). less_toxic(s1,w1). less_toxic(m1,u1). less_toxic(ee1,dd1). less_toxic(bb1,u1). less_toxic(ll1,cc1). less_toxic(n1,h1). less_toxic(s1,dd1). less_toxic(o1,t1). less_toxic(cc1,aa1). less_toxic(ii1,l1). less_toxic(n1,u1). less_toxic(ee1,b1). less_toxic(bb1,jj1). less_toxic(j1,a1). less_toxic(ff1,b1). less_toxic(w1,p1). less_toxic(b1,i1). less_toxic(o1,c1). less_toxic(f1,c1). less_toxic(a1,d1). less_toxic(l1,f1). less_toxic(n1,cc1). less_toxic(k1,p1). less_toxic(ll1,jj1). less_toxic(w1,t1). less_toxic(bb1,b1). less_toxic(a1,c1). less_toxic(ll1,z1). less_toxic(r1,v1). less_toxic(cc1,dd1). less_toxic(o1,a1). less_toxic(w1,z1). less_toxic(u1,d1). less_toxic(q1,jj1). less_toxic(x1,z1). less_toxic(p1,c1). less_toxic(y1,cc1). less_toxic(y1,t1). less_toxic(y1,c1). less_toxic(b1,f1). less_toxic(ii1,cc1). less_toxic(n1,v1). less_toxic(x1,u1). less_toxic(ff1,p1). less_toxic(r1,aa1). less_toxic(i1,c1). less_toxic(y1,w1). less_toxic(q1,e1). less_toxic(k1,d1). less_toxic(s1,cc1). less_toxic(bb1,p1). less_toxic(ll1,aa1). less_toxic(ll1,e1). less_toxic(ii1,a1). less_toxic(o1,d1). less_toxic(cc1,jj1). less_toxic(g1,l1). less_toxic(ii1,dd1). less_toxic(n1,f1). less_toxic(y1,jj1). less_toxic(n1,b1). less_toxic(s1,f1). less_toxic(n1,t1). less_toxic(ll1,h1). less_toxic(hh1,aa1). less_toxic(ff1,u1). less_toxic(l1,p1). less_toxic(cc1,e1). less_toxic(b1,v1). less_toxic(ee1,l1). less_toxic(v1,d1). less_toxic(q1,i1). less_toxic(w1,aa1). less_toxic(s1,p1). less_toxic(ii1,z1). less_toxic(ee1,h1). less_toxic(y1,b1). less_toxic(ee1,i1). less_toxic(k1,v1). less_toxic(o1,i1). less_toxic(h1,f1). less_toxic(kk1,w1). less_toxic(r1,t1). less_toxic(q1,b1). less_toxic(u1,f1). less_toxic(p1,f1). less_toxic(x1,c1). less_toxic(b1,d1). less_toxic(y1,i1). less_toxic(k1,i1). less_toxic(y1,dd1). less_toxic(n1,aa1). less_toxic(ll1,u1). less_toxic(j1,b1). less_toxic(cc1,v1). less_toxic(p1,d1). less_toxic(r1,l1). less_toxic(j1,e1). less_toxic(b1,l1). less_toxic(s1,b1). less_toxic(s1,h1). less_toxic(k1,aa1). less_toxic(ee1,jj1). less_toxic(bb1,h1). less_toxic(ll1,w1). less_toxic(j1,t1). less_toxic(ff1,t1). less_toxic(ee1,aa1). less_toxic(m1,dd1). less_toxic(g1,cc1). less_toxic(x1,t1). less_toxic(j1,aa1). less_toxic(cc1,u1). less_toxic(w1,l1). less_toxic(k1,dd1). less_toxic(g1,b1). less_toxic(kk1,v1). less_toxic(ff1,aa1). less_toxic(bb1,f1). less_toxic(ff1,a1). less_toxic(i1,d1). less_toxic(q1,l1). less_toxic(cc1,c1). less_toxic(x1,i1). less_toxic(b1,jj1). less_toxic(j1,cc1). less_toxic(k1,t1). less_toxic(ii1,jj1). less_toxic(y1,f1). less_toxic(j1,d1). less_toxic(x1,d1). less_toxic(b1,e1). less_toxic(b1,a1). less_toxic(ee1,v1). less_toxic(y1,e1). less_toxic(ff1,f1). less_toxic(hh1,w1). less_toxic(g1,w1). less_toxic(s1,c1). less_toxic(aa1,r1). less_toxic(h1,g1). less_toxic(a1,n1). less_toxic(b1,r1). less_toxic(p1,z1). less_toxic(v1,g1). less_toxic(v1,hh1). less_toxic(p1,h1). less_toxic(b1,kk1). less_toxic(h1,ll1). less_toxic(a1,kk1). less_toxic(i1,y1). less_toxic(h1,k1). less_toxic(i1,n1). less_toxic(t1,ll1). less_toxic(l1,m1). less_toxic(z1,cc1). less_toxic(t1,cc1). less_toxic(v1,w1). less_toxic(i1,x1). less_toxic(p1,l1). less_toxic(c1,ll1). less_toxic(a1,x1). less_toxic(h1,x1). less_toxic(d1,dd1). less_toxic(dd1,bb1). less_toxic(dd1,w1). less_toxic(f1,r1). less_toxic(u1,y1). less_toxic(z1,ll1). less_toxic(f1,y1). less_toxic(w1,ll1). less_toxic(c1,q1). less_toxic(dd1,r1). less_toxic(w1,ii1). less_toxic(t1,m1). less_toxic(jj1,ll1). less_toxic(l1,q1). less_toxic(f1,cc1).
19.497525
20
0.744192
0.87
4,837
25,238
lisp
Common Lisp
Passw/robert-strandh-SICL
[ "BSD-2-Clause" ]
842
Passw/robert-strandh-SICL
[ "BSD-2-Clause" ]
85
Passw/robert-strandh-SICL
[ "BSD-2-Clause" ]
80
(cl:in-package #:cleavir-ast) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; AST classes for standard common lisp features. ;;; ;;; There is mostly a different type of AST for each Common Lisp ;;; special operator, but there are some exceptions. Here are the ;;; Common Lisp special operators: BLOCK, CATCH, EVAL-WHEN, FLET, ;;; FUNCTION, GO, IF, LABELS, LET, LET*, LOAD-TIME-VALUE, LOCALLY, ;;; MACROLET, MULTIPLE-VALUE-CALL, MULTIPLE-VALUE-PROG1, PROGN, PROGV, ;;; QUOTE, RETURN-FROM, SETQ, SYMBOL-MACROLET, TAGBODY, THE, THROW, ;;; UNWIND-PROTECT. ;;; ;;; Some of these only influence the environment and do not need a ;;; representation as ASTs. These are: LOCALLY, MACROLET, and ;;; SYMBOL-MACROLET. ;;; ;;; FLET and LABELS are like LET except that the symbols the bind are ;;; in the function namespace, but the distinciton between namespeces ;;; no longer exists in the AST. ;;; ;;; A LAMBDA expression, either inside (FUNCTION (LAMBDA ...)) or when ;;; it is the CAR of a compound form, compiles into a FUNCTION-AST. ;;; The FUNCTION special form does not otherwise require an AST ;;; because the other form of the FUNCTION special form is just a ;;; conversion between namespaces and again, namespaces are no longer ;;; present in the AST. ;;; ;;; We also define ASTs that do not correspond to any Common Lisp ;;; special operators, because we simplify later code generation that ;;; way. ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class LITERAL-AST. ;;; ;;; This class represents Lisp constants in source code. ;;; ;;; If the constant that was found was wrapped in QUOTE, then the ;;; QUOTE is not part of the value here, because it was stripped off. ;;; ;;; If the constant that was found was a constant variable, then the ;;; value here represents the value of that constant variable at ;;; compile time. (defclass literal-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) ((%value :initarg :value :reader value))) (cleavir-io:define-save-info literal-ast (:value value)) (defmethod children ((ast literal-ast)) (declare (ignorable ast)) '()) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class LOAD-LITERAL-AST. ;;; ;;; This class can be used by client code that wants to load constants ;;; through some kind of action. The LOCATION-INFO can be any object. (defclass load-literal-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) ((%location-info :initarg :location-info :accessor location-info))) (cleavir-io:define-save-info load-literal-ast (:location-info location-info)) (defmethod children ((ast load-literal-ast)) (declare (ignorable ast)) '()) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class LEXICAL-AST. ;;; ;;; A LEXICAL-AST represents a reference to a lexical variable. Such ;;; a reference contains the name of the variable, but it is used only ;;; for debugging purposes and for the purpose of error reporting. (defclass lexical-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) ((%name :initarg :name :reader name))) (cleavir-io:define-save-info lexical-ast (:name name)) (defmethod children ((ast lexical-ast)) (declare (ignorable ast)) '()) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class SYMBOL-VALUE-AST. ;;; ;;; This AST is generated from a reference to a special variable. (defclass symbol-value-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) ((%name-ast :initarg :name-ast :reader name-ast))) (cleavir-io:define-save-info symbol-value-ast (:name-ast name-ast)) (defmethod children ((ast symbol-value-ast)) (list (name-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class SET-SYMBOL-VALUE-AST. (defclass set-symbol-value-ast (ast no-value-ast-mixin) ((%name-ast :initarg :name-ast :reader name-ast) (%value-ast :initarg :value-ast :reader value-ast))) (cleavir-io:define-save-info set-symbol-value-ast (:name-ast name-ast) (:value-ast value-ast)) (defmethod children ((ast set-symbol-value-ast)) (list (name-ast ast) (value-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class FDEFINITION-AST. ;;; ;;; This AST is generated from a reference to a global function. (defclass fdefinition-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) (;; This slot contains an AST that produces the function name. (%name-ast :initarg :name-ast :reader name-ast))) (cleavir-io:define-save-info fdefinition-ast (:name-ast name-ast)) (defmethod children ((ast fdefinition-ast)) (list (name-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class SET-FDEFINITION-AST. (defclass set-fdefinition-ast (ast no-value-ast-mixin) ((%name-ast :initarg :name-ast :reader name-ast) (%value-ast :initarg :value-ast :reader value-ast))) (cleavir-io:define-save-info set-fdefinition-ast (:name-ast name-ast) (:value-ast value-ast)) (defmethod children ((ast set-fdefinition-ast)) (list (name-ast ast) (value-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class CALL-AST. ;;; ;;; A CALL-AST represents a function call. (defclass call-ast (ast) ((%callee-ast :initarg :callee-ast :reader callee-ast) (%argument-asts :initarg :argument-asts :reader argument-asts))) (cleavir-io:define-save-info call-ast (:callee-ast callee-ast) (:argument-asts argument-asts)) (defmethod children ((ast call-ast)) (list* (callee-ast ast) (argument-asts ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class NAMED-CALL-AST. ;;; ;;; This AST is similar to the CALL-AST. It can be used by clients ;;; code that want to have a special representation for a function ;;; call to a global function that is explicitly named. This AST ;;; differs from the CALL-AST, in that it does not have a CALLEE ;;; child. Instead, it has a NAME slot that is not an AST, and which ;;; contains the name of the function to call. (defclass named-call-ast (ast) ((%callee-name :initarg :callee-name :reader callee-name) (%argument-asts :initarg :argument-asts :reader argument-asts))) (cleavir-io:define-save-info named-call-ast (:callee-name callee-name) (:argument-asts argument-asts)) (defmethod children ((ast named-call-ast)) (argument-asts ast)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class FUNCTION-AST. ;;; ;;; A function AST represents an explicit lambda expression, but also ;;; implicit lambda expressions such as the ones found in FLET and ;;; LABELS. ;;; ;;; The lambda list is not a normal lambda list. It has the following ;;; form: ;;; ([r1 .. rl [&optional o1 ..om] [&rest r] [&key k1 .. kn &allow-other-keys]]]) ;;; ;;; where: ;;; ;;; - Each ri is a LEXICAL-AST. ;;; ;;; - r is a LEXICAL-AST. ;;; ;;; - Each oi is a list of two LEXICAL-ASTs. The second of the ;;; two conceptually contains a Boolean value indicating whether ;;; the first one contains a value supplied by the caller. ;;; ;;; - Each ki is a list of a symbol and two LEXICAL-ASTs. The ;;; symbol is the keyword-name that a caller must supply in order ;;; to pass the corresponding argument. The second of the two ;;; LEXICAL-ASTs conceptually contains a Boolean value indicating ;;; whether the first LEXICAL-AST contains a value supplied by the ;;; caller. ;;; ;;; The LEXICAL-ASTs in the lambda list are potentially unrelated to ;;; the variables that were given in the original lambda expression, ;;; and they are LEXICAL-ASTs independently of whether the ;;; corresponding variable that was given in the original lambda ;;; expression is a lexical variable or a special variable. ;;; ;;; The body of the FUNCTION-AST must contain code that tests the ;;; second of the two LEXICAL-ASTs and initializes variables if ;;; needed. The if the second LEXICAL-AST in any oi contains FALSE, ;;; then the code in the body is not allowed to test the second ;;; LEXICAL-ASTs of any of the ki because they may not be set ;;; correctly (conceptually, they all have the value FALSE then). (defclass function-ast (ast one-value-ast-mixin side-effect-free-ast-mixin) ((%lambda-list :initarg :lambda-list :reader lambda-list) (%body-ast :initarg :body-ast :reader body-ast))) (cleavir-io:define-save-info function-ast (:lambda-list lambda-list) (:body-ast body-ast)) (defmethod children ((ast function-ast)) (list* (body-ast ast) (loop for entry in (lambda-list ast) append (cond ((symbolp entry) '()) ((consp entry) (if (= (length entry) 2) entry (cdr entry))) (t (list entry)))))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class TOP-LEVEL-FUNCTION-AST. ;;; ;;; This AST is a subclass of FUNCTION-AST. It is used when an AST is ;;; transformed by hoisting all the LOAD-TIME-VALUE-ASTs in the tree ;;; by turning them into LEXIAL-ASTs that are also required parameters ;;; of the TOP-LEVEL-FUNCTION-AST. ;;; ;;; This AST class supplies a slot that contains a list of the forms ;;; that were contained in the LOAD-TIME-VALUE-ASTs. In order to ;;; evaluate the original AST, the transformed AST must be called with ;;; the values of those forms as arguments. (defclass top-level-function-ast (function-ast) ((%forms :initarg :forms :reader forms))) (cleavir-io:define-save-info top-level-function-ast (:forms forms)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class PROGN-AST. (defclass progn-ast (ast) ((%form-asts :initarg :form-asts :accessor form-asts))) (cleavir-io:define-save-info progn-ast (:form-asts form-asts)) (defmethod children ((ast progn-ast)) (form-asts ast)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class BLOCK-AST. (defclass block-ast (ast) ;; FIXME: make this read-only and use REINITIALIZE-INSTANCE instead. ((%body-ast :initarg :body-ast :accessor body-ast))) (cleavir-io:define-save-info block-ast (:body-ast body-ast)) (defmethod children ((ast block-ast)) (list (body-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class RETURN-FROM-AST. (defclass return-from-ast (ast) ((%block-ast :initarg :block-ast :reader block-ast) (%form-ast :initarg :form-ast :reader form-ast))) (cleavir-io:define-save-info return-from-ast (:block-ast block-ast) (:form-ast form-ast)) (defmethod children ((ast return-from-ast)) (list (form-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class SETQ-AST. ;;; ;;; This AST does not correspond exactly to the SETQ special operator, ;;; because the AST does not return a value. (defclass setq-ast (ast no-value-ast-mixin) ((%lhs-ast :initarg :lhs-ast :reader lhs-ast) (%value-ast :initarg :value-ast :reader value-ast))) (cleavir-io:define-save-info setq-ast (:lhs-ast lhs-ast) (:value-ast value-ast)) (defmethod children ((ast setq-ast)) (list (lhs-ast ast) (value-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class MULTIPLE-VALUE-SETQ-AST. ;;; ;;; This AST can be used to represent MULTIPLE-VALUE-BIND. ;;; ;;; The LHS-ASTS is a list of lexical locations to be assigned to. ;;; FORM-AST represents a form to be evaluated, and the values of ;;; which will be assigned to the lexical locations in LHS-ASTS. If ;;; the FORM-AST produces fewer values than there are lexical ;;; locations in LHS-ASTS, then NIL is assigned to the remaining ;;; lexical locations. If there are more values there are lexical ;;; locations in LHS-ASTS, then the additional values are ignored. ;;; ;;; This AST does not return a value, so it must be compiled in a ;;; context where no value is required. (defclass multiple-value-setq-ast (ast no-value-ast-mixin) ((%lhs-asts :initarg :lhs-asts :reader lhs-asts) (%form-ast :initarg :form-ast :reader form-ast))) (cleavir-io:define-save-info multiple-value-setq-ast (:lhs-asts lhs-asts) (:form-ast form-ast)) (defmethod children ((ast multiple-value-setq-ast)) (cons (form-ast ast) (lhs-asts ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class LEXICAL-BIND-AST. ;;; ;;; This AST represents the binding of a lexical variable. ;;; It does not return a value. (defclass lexical-bind-ast (ast no-value-ast-mixin) ((%lexical-variable-ast :initarg :lexical-variable-ast :reader lexical-variable-ast) (%value-ast :initarg :value-ast :reader value-ast))) (cleavir-io:define-save-info lexical-bind-ast (:lexical-variable-ast lexical-variable-ast) (:value-ast value-ast)) (defmethod children ((ast lexical-bind-ast)) (list (lexical-variable-ast ast) (value-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class TAG-AST. (defclass tag-ast (ast) ((%name :initarg :name :reader name))) (cleavir-io:define-save-info tag-ast (:name name)) (defmethod children ((ast tag-ast)) (declare (ignorable ast)) '()) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class TAGBODY-AST. (defclass tagbody-ast (ast no-value-ast-mixin) ((%item-asts :initarg :item-asts :reader item-asts))) (cleavir-io:define-save-info tagbody-ast (:item-asts item-asts)) (defmethod children ((ast tagbody-ast)) (item-asts ast)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class GO-AST. (defclass go-ast (ast) ((%tag-ast :initarg :tag-ast :reader tag-ast))) (cleavir-io:define-save-info go-ast (:tag-ast tag-ast)) (defmethod children ((ast go-ast)) (list (tag-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class CATCH-AST. ;;; ;;; This AST can be generated as part of converting the CATCH special ;;; operator. It has three children, a TAG-AST, a THROW-FUNCTION-AST, ;;; and a BODY-AST. The TAG-AST is an AST that produces a value used ;;; as the TAG in the CATCH form. The BODY-AST is an AST that ;;; contains the forms of the body of the CATCH form. The ;;; THROW-FUNCTION-AST is a function of one argument, which is a list ;;; of the return values to throw to the CATCH form. The translation ;;; works as follows: ;;; ;;; (catch tag form*) ;;; ;;; turns into ;;; ;;; (block <name> ;;; (catch-ast ;;; tag ;;; (lambda (values) (return-from <name> (values-list values))) ;;; form*)) ;;; ;;; where CATCH-AST is this AST. (defclass catch-ast (ast) ((%tag-ast :initarg :tag-ast :reader tag-ast) (%throw-function-ast :initarg :throw-function-ast :reader throw-function-ast) (%body-ast :initarg :body-ast :accessor body-ast))) (cleavir-io:define-save-info catch-ast (:tag-ast tag-ast) (:throw-function-ast throw-function-ast) (:body-ast body-ast)) (defmethod children ((ast catch-ast)) (list (tag-ast ast) (throw-function-ast ast) (body-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class THE-AST. ;;; ;;; This AST can be generated by from the THE special operator, but ;;; also implicitly from type declarations and assignments to ;;; variables with type declarations. ;;; ;;; This AST should be used only in situations where it is known that ;;; the value produced is of the correct type. For situations where ;;; it is desirable to signal an error when there is a violation of ;;; the declared type, the TYPEQ-AST should be used instead. (defclass the-ast (ast) ((%form-ast :initarg :form-ast :reader form-ast) (%required-types :initarg :required :reader required-types) (%optional-types :initarg :optional :reader optional-types) (%rest-type :initarg :rest :reader rest-type))) (cleavir-io:define-save-info the-ast (:form-ast form-ast) (:required required-types) (:optional optional-types) (:rest rest-type)) (defmethod children ((ast the-ast)) (list (form-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class TYPEQ-AST. ;;; ;;; This AST can be thought of as a translation to an AST of a ;;; hypothetical special form (TYPEQ <form> <type-specifier>) which is ;;; like the function TYPEP, except that the type specifier is not ;;; evaluated. ;;; ;;; However, this AST can only occur in the conditional position of an ;;; IF-AST. ;;; ;;; Implementations that interpret the special form (THE <type> ;;; <form>) as an error if <form> is not of type <type> might generate ;;; a TYPEQ-AST contained in an IF-AST instead of a THE-AST, and to ;;; have the ELSE branch of the IF-AST call ERROR. ;;; ;;; The TYPEQ-AST can also be used as a target for the standard macro ;;; CHECK-TYPE. An implementation might for instance expand ;;; CHECK-TYPE to a form containing an implementation-specific special ;;; operator; e.g, (UNLESS (TYPEQ <form> <type-spec>) (CERROR ...)) ;;; and then translate the implementation-specific special operator ;;; TYPEQ into a TYPEQ-AST. ;;; ;;; The TYPEQ-AST generates instructions that are used in the static ;;; type inference phase. If static type inference can determine the ;;; value of the TYPEQ-AST, then no runtime test is required. If not, ;;; then a call to TYPEP is generated instead. ;;; ;;; It used to be the case that we would have an :AFTER method on ;;; INITIALIZE-INSTANCE that would compute the TYPE-SPECIFIER-AST slot ;;; from the TYPE-SPECIFIER slot. However this technique will not ;;; work when ASTs are cloned, because it is assumed in the cloning ;;; code that an instance of the AST can be created without any ;;; initialization arguments. So instead, we initialize the ;;; TYPE-SPECIFIER-AST slot with NIL and we compute the real value of ;;; it only when it is requested. (defclass typeq-ast (ast boolean-ast-mixin) (;; This slot contains the type specifier as an S-expression. When ;; this AST is compiled to HIR, the contents of this slot will be ;; transmitted to the TYPEQ-INSTRUCTION so that it can be used by ;; the type inference machinery. (%type-specifier :initarg :type-specifier :reader type-specifier) ;; This slot also contains the type specifier, but this time as a ;; LOAD-TIME-VALUE-AST. The purpose of this AST is that it will be ;; hoisted so that the type specifier is provided as a load-time ;; constant to be used with TYPEP, should it turn out to be ;; necessary to use TYPEP at runtime to determine the type. (%type-specifier-ast :initform nil :initarg :type-specifier-ast :reader type-specifier-ast) (%form-ast :initarg :form-ast :reader form-ast))) ;; (defmethod type-specifier-ast :around ((ast typeq-ast)) ;; (let ((value (call-next-method))) ;; (when (null value) ;; (setq value ;; (make-instance 'load-time-value-ast ;; :form `',(type-specifier ast) ;; :read-only-p t)) ;; (reinitialize-instance ;; ast ;; :type-specifier-ast value)) ;; value)) (cleavir-io:define-save-info typeq-ast (:type-specifier type-specifier) (:form-ast form-ast)) (defmethod children ((ast typeq-ast)) (list (form-ast ast) (type-specifier-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class LOAD-TIME-VALUE-AST. ;;; ;;; This AST corresponds directly to the LOAD-TIME-VALUE special ;;; operator. It has a single child and it produces a single value. ;;; ;;; The optional argument READ-ONLY-P is not a child of the AST ;;; because it can only be a Boolean which is not evaluated, so we ;;; know at AST creation time whether it is true or false. (defclass load-time-value-ast (ast one-value-ast-mixin) ((%form-ast :initarg :form-ast :reader form-ast) (%read-only-p :initarg :read-only-p :reader read-only-p))) ;;; Even though READ-ONLY-P is not a child of the AST, it needs to be ;;; saved when the AST is saved. (cleavir-io:define-save-info load-time-value-ast (:form-ast form-ast) (:read-only-p read-only-p)) (defmethod children ((ast load-time-value-ast)) (list (form-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class IF-AST. ;;; ;;; This AST corresponds directly to the IF special operator. It ;;; produces as many values as the AST in the THEN-AST or ELSE-AST ;;; produces, according to the value of the TEST AST. (defclass if-ast (ast) ((%test-ast :initarg :test-ast :reader test-ast) (%then-ast :initarg :then-ast :reader then-ast) (%else-ast :initarg :else-ast :reader else-ast))) (cleavir-io:define-save-info if-ast (:test-ast test-ast) (:then-ast then-ast) (:else-ast else-ast)) (defmethod children ((ast if-ast)) (list (test-ast ast) (then-ast ast) (else-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class MULTIPLE-VALUE-CALL-AST. (defclass multiple-value-call-ast (ast) ((%function-form-ast :initarg :function-form-ast :reader function-form-ast) (%form-asts :initarg :form-asts :reader form-asts))) (cleavir-io:define-save-info multiple-value-call-ast (:function-form-ast function-form-ast) (:form-asts form-asts)) (defmethod children ((ast multiple-value-call-ast)) (list* (function-form-ast ast) (form-asts ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class VALUES-AST. ;;; ;;; This corresponds directly to CLEAVIR-PRIMOP:VALUES, ;;; and CL:VALUES through it. (defclass values-ast (ast) ((%argument-asts :initarg :argument-asts :reader argument-asts))) (cleavir-io:define-save-info values-ast (:argument-asts argument-asts)) (defmethod children ((ast values-ast)) (argument-asts ast)) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class MULTIPLE-VALUE-PROG1-AST. (defclass multiple-value-prog1-ast (ast) ((%first-form-ast :initarg :first-form-ast :reader first-form-ast) ;; A list of ASTs (%form-asts :initarg :form-asts :reader form-asts))) (cleavir-io:define-save-info multiple-value-prog1-ast (:first-form-ast first-form-ast) (:form-asts form-asts)) (defmethod children ((ast multiple-value-prog1-ast)) (cons (first-form-ast ast) (form-asts ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class DYNAMIC-ALLOCATION-AST ;;; ;;; This AST is used to translate DYNAMIC-EXTENT declarations. ;;; Any allocation done by its form-ast may be done dynamically, ;;; i.e. with stack discipline. This means that the consequences ;;; are undefined if any value allocated by the form-ast escapes ;;; the local function. ;;; Note that this loses information from DYNAMIC-EXTENT, which ;;; does not allow escape from the form with the declaration. (defclass dynamic-allocation-ast (ast one-value-ast-mixin) ((%form-ast :initarg :form-ast :reader form-ast))) (cleavir-io:define-save-info dynamic-allocation-ast (:form-ast form-ast)) (defmethod children ((ast dynamic-allocation-ast)) (list (form-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class UNREACHABLE-AST. ;;; ;;; This AST indicates an unreachable control point. ;;; Control that leads inevitably from or to this AST is ;;; declared to be impossible. (defclass unreachable-ast (ast) ()) (defmethod children ((ast unreachable-ast)) nil) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class BIND-AST. ;;; ;;; This AST is used to create a dynamic binding for a variable for ;;; the duration of the execution of the body. It is generated as a ;;; result of a binding of a special variable in a LET, LET*, or a ;;; lambda list of a function. (defclass bind-ast (ast) ((%name-ast :initarg :name-ast :reader name-ast) (%value-ast :initarg :value-ast :reader value-ast) (%body-ast :initarg :body-ast :reader body-ast))) (cleavir-io:define-save-info bind-ast (:name-ast name-ast) (:value-ast value-ast) (:body-ast body-ast)) (defmethod children ((ast bind-ast)) (list (value-ast ast) (body-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class UNWIND-PROTECT-AST. ;;; ;;; This AST is generated from an UNWIND-PROTECT form. The protected ;;; form of the original form is turned into a corresponding AST, ;;; whereas the cleanup forms are wrapped in a LAMBDA expression so ;;; that those forms are executed as part of a thunk. (defclass unwind-protect-ast (ast) ((%protected-form-ast :initarg :protected-form-ast :reader protected-form-ast) (%cleanup-thunk-ast :initarg :cleanup-thunk-ast :reader cleanup-thunk-ast))) (cleavir-io:define-save-info unwind-protect-ast (:protected-form-ast protected-form-ast) (:cleanup-thunk-ast cleanup-thunk-ast)) (defmethod children ((ast unwind-protect-ast)) (list (protected-form-ast ast) (cleanup-thunk-ast ast))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;;; ;;; Class EQ-AST. ;;; ;;; This AST can be used to to test whether two objects are identical. ;;; It has two children. This AST can only appear in the TEST ;;; position of an IF-AST. (defclass eq-ast (ast boolean-ast-mixin) ((%arg1-ast :initarg :arg1-ast :reader arg1-ast) (%arg2-ast :initarg :arg2-ast :reader arg2-ast))) (cleavir-io:define-save-info eq-ast (:arg1-ast arg1-ast) (:arg2-ast arg2-ast)) (defmethod children ((ast eq-ast)) (list (arg1-ast ast) (arg2-ast ast)))
33.383598
81
0.636699
0.800101
8,871
2,596
pm
Perl
ajhodges/zap2xml-lambda
[ "MIT" ]
null
ajhodges/zap2xml-lambda
[ "MIT" ]
null
ajhodges/zap2xml-lambda
[ "MIT" ]
null
package IO::Compress::Adapter::Bzip2 ; use strict; use warnings; use bytes; use IO::Compress::Base::Common 2.061 qw(:Status); use Compress::Raw::Bzip2 2.061 ; our ($VERSION); $VERSION = '2.061'; sub mkCompObject { my $BlockSize100K = shift ; my $WorkFactor = shift ; my $Verbosity = shift ; $BlockSize100K = 1 if ! defined $BlockSize100K ; $WorkFactor = 0 if ! defined $WorkFactor ; $Verbosity = 0 if ! defined $Verbosity ; my ($def, $status) = new Compress::Raw::Bzip2(1, $BlockSize100K, $WorkFactor, $Verbosity); return (undef, "Could not create Deflate object: $status", $status) if $status != BZ_OK ; return bless {'Def' => $def, 'Error' => '', 'ErrorNo' => 0, } ; } sub compr { my $self = shift ; my $def = $self->{Def}; my $status = $def->bzdeflate($_[0], $_[1]) ; $self->{ErrorNo} = $status; if ($status != BZ_RUN_OK) { $self->{Error} = "Deflate Error: $status"; return STATUS_ERROR; } return STATUS_OK; } sub flush { my $self = shift ; my $def = $self->{Def}; my $status = $def->bzflush($_[0]); $self->{ErrorNo} = $status; if ($status != BZ_RUN_OK) { $self->{Error} = "Deflate Error: $status"; return STATUS_ERROR; } return STATUS_OK; } sub close { my $self = shift ; my $def = $self->{Def}; my $status = $def->bzclose($_[0]); $self->{ErrorNo} = $status; if ($status != BZ_STREAM_END) { $self->{Error} = "Deflate Error: $status"; return STATUS_ERROR; } return STATUS_OK; } sub reset { my $self = shift ; my $outer = $self->{Outer}; my ($def, $status) = new Compress::Raw::Bzip2(); $self->{ErrorNo} = ($status == BZ_OK) ? 0 : $status ; if ($status != BZ_OK) { $self->{Error} = "Cannot create Deflate object: $status"; return STATUS_ERROR; } $self->{Def} = $def; return STATUS_OK; } sub compressedBytes { my $self = shift ; $self->{Def}->compressedBytes(); } sub uncompressedBytes { my $self = shift ; $self->{Def}->uncompressedBytes(); } #sub total_out #{ # my $self = shift ; # 0; #} # #sub total_in #{ # my $self = shift ; # $self->{Def}->total_in(); #} # #sub crc32 #{ # my $self = shift ; # $self->{Def}->crc32(); #} # #sub adler32 #{ # my $self = shift ; # $self->{Def}->adler32(); #} 1; __END__
16.748387
74
0.511556
0.904528
1,020
265
jl
Julia
BobinMathew/TuringModels.jl
[ "MIT" ]
null
BobinMathew/TuringModels.jl
[ "MIT" ]
null
BobinMathew/TuringModels.jl
[ "MIT" ]
null
# ## Data n = 9 k = 6; # ## Model using Turing @model function globe_toss(n, k) θ ~ Beta(1, 1) k ~ Binomial(n, θ) return k, θ end; # ## Output using Random Random.seed!(1) chains = sample(globe_toss(n, k), NUTS(0.65), 1000) # \defaultoutput{}
10.6
51
0.581132
0.841429
133
1,930
vb
Visual Basic
AteCoder/VS.VI.Core
[ "MIT" ]
null
AteCoder/VS.VI.Core
[ "MIT" ]
null
AteCoder/VS.VI.Core
[ "MIT" ]
1
Imports System.Data.Common Partial Public NotInheritable Class TestInfo #Region " TRACE " ''' <summary> Initializes the trace listener. </summary> Public Shared Sub InitializeTraceListener() TestInfo.ReplaceTraceListener() Console.Out.WriteLine(My.Application.Log.DefaultFileLogWriter.FullLogFileName) End Sub ''' <summary> Replace trace listener. </summary> Public Shared Sub ReplaceTraceListener() With My.Application.Log .TraceSource.Listeners.Remove(isr.Core.Pith.DefaultFileLogTraceListener.DefaultFileLogWriterName) .TraceSource.Listeners.Add(isr.Core.Pith.DefaultFileLogTraceListener.CreateListener(Core.Pith.UserLevel.CurrentUser)) .TraceSource.Switch.Level = SourceLevels.Verbose End With End Sub ''' <summary> Trace message. </summary> ''' <param name="format"> Describes the format to use. </param> ''' <param name="args"> A variable-length parameters list containing arguments. </param> Public Shared Sub TraceMessage(ByVal format As String, ByVal ParamArray args() As Object) TestInfo.TraceMessage(String.Format(Globalization.CultureInfo.CurrentCulture, format, args)) End Sub ''' <summary> Trace message. </summary> ''' <param name="message"> The message. </param> Private Shared Sub TraceMessage(ByVal message As String) My.Application.Log.WriteEntry(message) 'System.Diagnostics.Debug.WriteLine(message) Console.Out.WriteLine(message) End Sub ''' <summary> Verbose message. </summary> ''' <param name="format"> Describes the format to use. </param> ''' <param name="args"> A variable-length parameters list containing arguments. </param> Public Shared Sub VerboseMessage(ByVal format As String, ByVal ParamArray args() As Object) If TestInfo.Verbose Then TraceMessage(format, args) End Sub #End Region End Class
41.06383
129
0.710363
0.817481
524
2,622
sas
SAS
likhitanuraag/Customer-segmentation-and-profiling
[ "MIT" ]
1
likhitanuraag/Customer-segmentation-and-profiling
[ "MIT" ]
null
likhitanuraag/Customer-segmentation-and-profiling
[ "MIT" ]
null
*------------------------------------------------------------*; * Clus2: Training; *------------------------------------------------------------*; *------------------------------------------------------------* ; * Clus2: DMDBClass Macro ; *------------------------------------------------------------* ; %macro DMDBClass; Career(ASC) Education(ASC) Marital_Statues(ASC) %mend DMDBClass; *------------------------------------------------------------* ; * Clus2: DMDBVar Macro ; *------------------------------------------------------------* ; %macro DMDBVar; Age %mend DMDBVar; *------------------------------------------------------------*; * Clus2: Create DMDB; *------------------------------------------------------------*; proc dmdb batch data=EMWS1.Filter2_TRAIN dmdbcat=WORK.Clus2_DMDB maxlevel = 513 out=WORK.Clus2_DMDB ; class %DMDBClass; var %DMDBVar; run; quit; *------------------------------------------------------------* ; * Clus2: Interval Inputs Macro ; *------------------------------------------------------------* ; %macro DMVQINTERVAL; Age %mend DMVQINTERVAL; *------------------------------------------------------------* ; * Clus2: Nominal Inputs Macro ; *------------------------------------------------------------* ; %macro DMVQNOMINAL; Career Education Marital_Statues %mend DMVQNOMINAL; *------------------------------------------------------------*; * Clus2: Run DMVQ procedure; *------------------------------------------------------------*; title; options nodate; proc dmvq data=WORK.Clus2_DMDB dmdbcat=WORK.Clus2_DMDB std=STD nominal=GLM ordinal=RANK ; input %DMVQINTERVAL / level=interval; input %DMVQNOMINAL / level=nominal; VQ maxc = 5 clusname=_SEGMENT_ CLUSLABEL="Segment Id" DISTLABEL="Distance"; MAKE outvar=EMWS1.Clus2_OUTVAR; INITIAL radius=0 ; TRAIN tech=FORGY ; SAVE outstat=EMWS1.Clus2_OUTSTAT outmean=EMWS1.Clus2_OUTMEAN; code file="C:\Users\20161277\Documents\CA assign 2 data\20161277_CAassignment2\Workspaces\EMWS1\Clus2\DMVQSCORECODE.sas" group=Clus2 ; run; quit; *------------------------------------------------------------* ; * Clus2: DMVQ Variables; *------------------------------------------------------------* ; %macro dmvqvars; Age Careeradministration Careerblue_collar Careerentrepreneur Careerhousemaid Careermanagement Careerretired Careerself_employed Careerservices Careerstudent Careertechnician Careerunemployed Educationilliterate Educationprimary_education Educationprofessional_educat Educationsecondary_education Educationuniversity_educatio Marital_Statuesdivorced Marital_Statuesmarried Marital_Statuessingle %mend ;
36.416667
120
0.489321
0.820284
763
341
tcl
Tcl
solaremperor/FrontPanelBroker
[ "MIT" ]
null
solaremperor/FrontPanelBroker
[ "MIT" ]
6
solaremperor/FrontPanelBroker
[ "MIT" ]
1
add_wave_divider "FrontPanel Control" add_wave /FIRST_TEST/hi_in(0) add_wave_divider "Simulation" add_wave -radix hex r1 add_wave -radix hex r2 add_wave -radix hex sum add_wave_divider "First" add_wave -radix hex /FIRST_TEST/dut/ep01wire add_wave -radix hex /FIRST_TEST/dut/ep02wire add_wave -radix hex /FIRST_TEST/dut/ep21wire run 8 us;
22.733333
44
0.809384
0.87
151
19,663
pm
Perl
tomoyanp/isucon9-qualify-20210912
[ "MIT" ]
null
tomoyanp/isucon9-qualify-20210912
[ "MIT" ]
5
matsubara0507/isucon9-kansousen
[ "MIT" ]
null
# This file is auto-generated by the Perl DateTime Suite time zone # code generator (0.08) This code generator comes with the # DateTime::TimeZone module distribution in the tools/ directory # # Generated from /tmp/tRZSIOcmOW/northamerica. Olson data version 2019b # # Do not edit this file directly. # package DateTime::TimeZone::America::Metlakatla; use strict; use warnings; use namespace::autoclean; our $VERSION = '2.36'; use Class::Singleton 1.03; use DateTime::TimeZone; use DateTime::TimeZone::OlsonDB; @DateTime::TimeZone::America::Metlakatla::ISA = ( 'Class::Singleton', 'DateTime::TimeZone' ); my $spans = [ [ DateTime::TimeZone::NEG_INFINITY, # utc_start 58910459473, # utc_end 1867-10-19 00:31:13 (Sat) DateTime::TimeZone::NEG_INFINITY, # local_start 58910514295, # local_end 1867-10-19 15:44:55 (Sat) 54822, 0, 'LMT', ], [ 58910459473, # utc_start 1867-10-19 00:31:13 (Sat) 59946727578, # utc_end 1900-08-20 20:46:18 (Mon) 58910427895, # local_start 1867-10-18 15:44:55 (Fri) 59946696000, # local_end 1900-08-20 12:00:00 (Mon) -31578, 0, 'LMT', ], [ 59946727578, # utc_start 1900-08-20 20:46:18 (Mon) 61252099200, # utc_end 1942-01-01 08:00:00 (Thu) 59946698778, # local_start 1900-08-20 12:46:18 (Mon) 61252070400, # local_end 1942-01-01 00:00:00 (Thu) -28800, 0, 'PST', ], [ 61252099200, # utc_start 1942-01-01 08:00:00 (Thu) 61255476000, # utc_end 1942-02-09 10:00:00 (Mon) 61252070400, # local_start 1942-01-01 00:00:00 (Thu) 61255447200, # local_end 1942-02-09 02:00:00 (Mon) -28800, 0, 'PST', ], [ 61255476000, # utc_start 1942-02-09 10:00:00 (Mon) 61366287600, # utc_end 1945-08-14 23:00:00 (Tue) 61255450800, # local_start 1942-02-09 03:00:00 (Mon) 61366262400, # local_end 1945-08-14 16:00:00 (Tue) -25200, 1, 'PWT', ], [ 61366287600, # utc_start 1945-08-14 23:00:00 (Tue) 61370298000, # utc_end 1945-09-30 09:00:00 (Sun) 61366262400, # local_start 1945-08-14 16:00:00 (Tue) 61370272800, # local_end 1945-09-30 02:00:00 (Sun) -25200, 1, 'PPT', ], [ 61370298000, # utc_start 1945-09-30 09:00:00 (Sun) 61378329600, # utc_end 1946-01-01 08:00:00 (Tue) 61370269200, # local_start 1945-09-30 01:00:00 (Sun) 61378300800, # local_end 1946-01-01 00:00:00 (Tue) -28800, 0, 'PST', ], [ 61378329600, # utc_start 1946-01-01 08:00:00 (Tue) 62104176000, # utc_end 1969-01-01 08:00:00 (Wed) 61378300800, # local_start 1946-01-01 00:00:00 (Tue) 62104147200, # local_end 1969-01-01 00:00:00 (Wed) -28800, 0, 'PST', ], [ 62104176000, # utc_start 1969-01-01 08:00:00 (Wed) 62114205600, # utc_end 1969-04-27 10:00:00 (Sun) 62104147200, # local_start 1969-01-01 00:00:00 (Wed) 62114176800, # local_end 1969-04-27 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62114205600, # utc_start 1969-04-27 10:00:00 (Sun) 62129926800, # utc_end 1969-10-26 09:00:00 (Sun) 62114180400, # local_start 1969-04-27 03:00:00 (Sun) 62129901600, # local_end 1969-10-26 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62129926800, # utc_start 1969-10-26 09:00:00 (Sun) 62145655200, # utc_end 1970-04-26 10:00:00 (Sun) 62129898000, # local_start 1969-10-26 01:00:00 (Sun) 62145626400, # local_end 1970-04-26 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62145655200, # utc_start 1970-04-26 10:00:00 (Sun) 62161376400, # utc_end 1970-10-25 09:00:00 (Sun) 62145630000, # local_start 1970-04-26 03:00:00 (Sun) 62161351200, # local_end 1970-10-25 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62161376400, # utc_start 1970-10-25 09:00:00 (Sun) 62177104800, # utc_end 1971-04-25 10:00:00 (Sun) 62161347600, # local_start 1970-10-25 01:00:00 (Sun) 62177076000, # local_end 1971-04-25 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62177104800, # utc_start 1971-04-25 10:00:00 (Sun) 62193430800, # utc_end 1971-10-31 09:00:00 (Sun) 62177079600, # local_start 1971-04-25 03:00:00 (Sun) 62193405600, # local_end 1971-10-31 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62193430800, # utc_start 1971-10-31 09:00:00 (Sun) 62209159200, # utc_end 1972-04-30 10:00:00 (Sun) 62193402000, # local_start 1971-10-31 01:00:00 (Sun) 62209130400, # local_end 1972-04-30 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62209159200, # utc_start 1972-04-30 10:00:00 (Sun) 62224880400, # utc_end 1972-10-29 09:00:00 (Sun) 62209134000, # local_start 1972-04-30 03:00:00 (Sun) 62224855200, # local_end 1972-10-29 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62224880400, # utc_start 1972-10-29 09:00:00 (Sun) 62240608800, # utc_end 1973-04-29 10:00:00 (Sun) 62224851600, # local_start 1972-10-29 01:00:00 (Sun) 62240580000, # local_end 1973-04-29 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62240608800, # utc_start 1973-04-29 10:00:00 (Sun) 62256330000, # utc_end 1973-10-28 09:00:00 (Sun) 62240583600, # local_start 1973-04-29 03:00:00 (Sun) 62256304800, # local_end 1973-10-28 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62256330000, # utc_start 1973-10-28 09:00:00 (Sun) 62262381600, # utc_end 1974-01-06 10:00:00 (Sun) 62256301200, # local_start 1973-10-28 01:00:00 (Sun) 62262352800, # local_end 1974-01-06 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62262381600, # utc_start 1974-01-06 10:00:00 (Sun) 62287779600, # utc_end 1974-10-27 09:00:00 (Sun) 62262356400, # local_start 1974-01-06 03:00:00 (Sun) 62287754400, # local_end 1974-10-27 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62287779600, # utc_start 1974-10-27 09:00:00 (Sun) 62298064800, # utc_end 1975-02-23 10:00:00 (Sun) 62287750800, # local_start 1974-10-27 01:00:00 (Sun) 62298036000, # local_end 1975-02-23 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62298064800, # utc_start 1975-02-23 10:00:00 (Sun) 62319229200, # utc_end 1975-10-26 09:00:00 (Sun) 62298039600, # local_start 1975-02-23 03:00:00 (Sun) 62319204000, # local_end 1975-10-26 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62319229200, # utc_start 1975-10-26 09:00:00 (Sun) 62334957600, # utc_end 1976-04-25 10:00:00 (Sun) 62319200400, # local_start 1975-10-26 01:00:00 (Sun) 62334928800, # local_end 1976-04-25 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62334957600, # utc_start 1976-04-25 10:00:00 (Sun) 62351283600, # utc_end 1976-10-31 09:00:00 (Sun) 62334932400, # local_start 1976-04-25 03:00:00 (Sun) 62351258400, # local_end 1976-10-31 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62351283600, # utc_start 1976-10-31 09:00:00 (Sun) 62366407200, # utc_end 1977-04-24 10:00:00 (Sun) 62351254800, # local_start 1976-10-31 01:00:00 (Sun) 62366378400, # local_end 1977-04-24 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62366407200, # utc_start 1977-04-24 10:00:00 (Sun) 62382733200, # utc_end 1977-10-30 09:00:00 (Sun) 62366382000, # local_start 1977-04-24 03:00:00 (Sun) 62382708000, # local_end 1977-10-30 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62382733200, # utc_start 1977-10-30 09:00:00 (Sun) 62398461600, # utc_end 1978-04-30 10:00:00 (Sun) 62382704400, # local_start 1977-10-30 01:00:00 (Sun) 62398432800, # local_end 1978-04-30 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62398461600, # utc_start 1978-04-30 10:00:00 (Sun) 62414182800, # utc_end 1978-10-29 09:00:00 (Sun) 62398436400, # local_start 1978-04-30 03:00:00 (Sun) 62414157600, # local_end 1978-10-29 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62414182800, # utc_start 1978-10-29 09:00:00 (Sun) 62429911200, # utc_end 1979-04-29 10:00:00 (Sun) 62414154000, # local_start 1978-10-29 01:00:00 (Sun) 62429882400, # local_end 1979-04-29 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62429911200, # utc_start 1979-04-29 10:00:00 (Sun) 62445632400, # utc_end 1979-10-28 09:00:00 (Sun) 62429886000, # local_start 1979-04-29 03:00:00 (Sun) 62445607200, # local_end 1979-10-28 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62445632400, # utc_start 1979-10-28 09:00:00 (Sun) 62461360800, # utc_end 1980-04-27 10:00:00 (Sun) 62445603600, # local_start 1979-10-28 01:00:00 (Sun) 62461332000, # local_end 1980-04-27 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62461360800, # utc_start 1980-04-27 10:00:00 (Sun) 62477082000, # utc_end 1980-10-26 09:00:00 (Sun) 62461335600, # local_start 1980-04-27 03:00:00 (Sun) 62477056800, # local_end 1980-10-26 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62477082000, # utc_start 1980-10-26 09:00:00 (Sun) 62492810400, # utc_end 1981-04-26 10:00:00 (Sun) 62477053200, # local_start 1980-10-26 01:00:00 (Sun) 62492781600, # local_end 1981-04-26 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62492810400, # utc_start 1981-04-26 10:00:00 (Sun) 62508531600, # utc_end 1981-10-25 09:00:00 (Sun) 62492785200, # local_start 1981-04-26 03:00:00 (Sun) 62508506400, # local_end 1981-10-25 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62508531600, # utc_start 1981-10-25 09:00:00 (Sun) 62524260000, # utc_end 1982-04-25 10:00:00 (Sun) 62508502800, # local_start 1981-10-25 01:00:00 (Sun) 62524231200, # local_end 1982-04-25 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62524260000, # utc_start 1982-04-25 10:00:00 (Sun) 62540586000, # utc_end 1982-10-31 09:00:00 (Sun) 62524234800, # local_start 1982-04-25 03:00:00 (Sun) 62540560800, # local_end 1982-10-31 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62540586000, # utc_start 1982-10-31 09:00:00 (Sun) 62555709600, # utc_end 1983-04-24 10:00:00 (Sun) 62540557200, # local_start 1982-10-31 01:00:00 (Sun) 62555680800, # local_end 1983-04-24 02:00:00 (Sun) -28800, 0, 'PST', ], [ 62555709600, # utc_start 1983-04-24 10:00:00 (Sun) 62572035600, # utc_end 1983-10-30 09:00:00 (Sun) 62555684400, # local_start 1983-04-24 03:00:00 (Sun) 62572010400, # local_end 1983-10-30 02:00:00 (Sun) -25200, 1, 'PDT', ], [ 62572035600, # utc_start 1983-10-30 09:00:00 (Sun) 63582055200, # utc_end 2015-11-01 10:00:00 (Sun) 62572006800, # local_start 1983-10-30 01:00:00 (Sun) 63582026400, # local_end 2015-11-01 02:00:00 (Sun) -28800, 0, 'PST', ], [ 63582055200, # utc_start 2015-11-01 10:00:00 (Sun) 63593550000, # utc_end 2016-03-13 11:00:00 (Sun) 63582022800, # local_start 2015-11-01 01:00:00 (Sun) 63593517600, # local_end 2016-03-13 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63593550000, # utc_start 2016-03-13 11:00:00 (Sun) 63614109600, # utc_end 2016-11-06 10:00:00 (Sun) 63593521200, # local_start 2016-03-13 03:00:00 (Sun) 63614080800, # local_end 2016-11-06 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63614109600, # utc_start 2016-11-06 10:00:00 (Sun) 63624999600, # utc_end 2017-03-12 11:00:00 (Sun) 63614077200, # local_start 2016-11-06 01:00:00 (Sun) 63624967200, # local_end 2017-03-12 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63624999600, # utc_start 2017-03-12 11:00:00 (Sun) 63645559200, # utc_end 2017-11-05 10:00:00 (Sun) 63624970800, # local_start 2017-03-12 03:00:00 (Sun) 63645530400, # local_end 2017-11-05 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63645559200, # utc_start 2017-11-05 10:00:00 (Sun) 63656449200, # utc_end 2018-03-11 11:00:00 (Sun) 63645526800, # local_start 2017-11-05 01:00:00 (Sun) 63656416800, # local_end 2018-03-11 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63656449200, # utc_start 2018-03-11 11:00:00 (Sun) 63677008800, # utc_end 2018-11-04 10:00:00 (Sun) 63656420400, # local_start 2018-03-11 03:00:00 (Sun) 63676980000, # local_end 2018-11-04 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63677008800, # utc_start 2018-11-04 10:00:00 (Sun) 63683661600, # utc_end 2019-01-20 10:00:00 (Sun) 63676980000, # local_start 2018-11-04 02:00:00 (Sun) 63683632800, # local_end 2019-01-20 02:00:00 (Sun) -28800, 0, 'PST', ], [ 63683661600, # utc_start 2019-01-20 10:00:00 (Sun) 63687898800, # utc_end 2019-03-10 11:00:00 (Sun) 63683629200, # local_start 2019-01-20 01:00:00 (Sun) 63687866400, # local_end 2019-03-10 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63687898800, # utc_start 2019-03-10 11:00:00 (Sun) 63708458400, # utc_end 2019-11-03 10:00:00 (Sun) 63687870000, # local_start 2019-03-10 03:00:00 (Sun) 63708429600, # local_end 2019-11-03 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63708458400, # utc_start 2019-11-03 10:00:00 (Sun) 63719348400, # utc_end 2020-03-08 11:00:00 (Sun) 63708426000, # local_start 2019-11-03 01:00:00 (Sun) 63719316000, # local_end 2020-03-08 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63719348400, # utc_start 2020-03-08 11:00:00 (Sun) 63739908000, # utc_end 2020-11-01 10:00:00 (Sun) 63719319600, # local_start 2020-03-08 03:00:00 (Sun) 63739879200, # local_end 2020-11-01 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63739908000, # utc_start 2020-11-01 10:00:00 (Sun) 63751402800, # utc_end 2021-03-14 11:00:00 (Sun) 63739875600, # local_start 2020-11-01 01:00:00 (Sun) 63751370400, # local_end 2021-03-14 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63751402800, # utc_start 2021-03-14 11:00:00 (Sun) 63771962400, # utc_end 2021-11-07 10:00:00 (Sun) 63751374000, # local_start 2021-03-14 03:00:00 (Sun) 63771933600, # local_end 2021-11-07 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63771962400, # utc_start 2021-11-07 10:00:00 (Sun) 63782852400, # utc_end 2022-03-13 11:00:00 (Sun) 63771930000, # local_start 2021-11-07 01:00:00 (Sun) 63782820000, # local_end 2022-03-13 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63782852400, # utc_start 2022-03-13 11:00:00 (Sun) 63803412000, # utc_end 2022-11-06 10:00:00 (Sun) 63782823600, # local_start 2022-03-13 03:00:00 (Sun) 63803383200, # local_end 2022-11-06 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63803412000, # utc_start 2022-11-06 10:00:00 (Sun) 63814302000, # utc_end 2023-03-12 11:00:00 (Sun) 63803379600, # local_start 2022-11-06 01:00:00 (Sun) 63814269600, # local_end 2023-03-12 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63814302000, # utc_start 2023-03-12 11:00:00 (Sun) 63834861600, # utc_end 2023-11-05 10:00:00 (Sun) 63814273200, # local_start 2023-03-12 03:00:00 (Sun) 63834832800, # local_end 2023-11-05 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63834861600, # utc_start 2023-11-05 10:00:00 (Sun) 63845751600, # utc_end 2024-03-10 11:00:00 (Sun) 63834829200, # local_start 2023-11-05 01:00:00 (Sun) 63845719200, # local_end 2024-03-10 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63845751600, # utc_start 2024-03-10 11:00:00 (Sun) 63866311200, # utc_end 2024-11-03 10:00:00 (Sun) 63845722800, # local_start 2024-03-10 03:00:00 (Sun) 63866282400, # local_end 2024-11-03 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63866311200, # utc_start 2024-11-03 10:00:00 (Sun) 63877201200, # utc_end 2025-03-09 11:00:00 (Sun) 63866278800, # local_start 2024-11-03 01:00:00 (Sun) 63877168800, # local_end 2025-03-09 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63877201200, # utc_start 2025-03-09 11:00:00 (Sun) 63897760800, # utc_end 2025-11-02 10:00:00 (Sun) 63877172400, # local_start 2025-03-09 03:00:00 (Sun) 63897732000, # local_end 2025-11-02 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63897760800, # utc_start 2025-11-02 10:00:00 (Sun) 63908650800, # utc_end 2026-03-08 11:00:00 (Sun) 63897728400, # local_start 2025-11-02 01:00:00 (Sun) 63908618400, # local_end 2026-03-08 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63908650800, # utc_start 2026-03-08 11:00:00 (Sun) 63929210400, # utc_end 2026-11-01 10:00:00 (Sun) 63908622000, # local_start 2026-03-08 03:00:00 (Sun) 63929181600, # local_end 2026-11-01 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63929210400, # utc_start 2026-11-01 10:00:00 (Sun) 63940705200, # utc_end 2027-03-14 11:00:00 (Sun) 63929178000, # local_start 2026-11-01 01:00:00 (Sun) 63940672800, # local_end 2027-03-14 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63940705200, # utc_start 2027-03-14 11:00:00 (Sun) 63961264800, # utc_end 2027-11-07 10:00:00 (Sun) 63940676400, # local_start 2027-03-14 03:00:00 (Sun) 63961236000, # local_end 2027-11-07 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63961264800, # utc_start 2027-11-07 10:00:00 (Sun) 63972154800, # utc_end 2028-03-12 11:00:00 (Sun) 63961232400, # local_start 2027-11-07 01:00:00 (Sun) 63972122400, # local_end 2028-03-12 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 63972154800, # utc_start 2028-03-12 11:00:00 (Sun) 63992714400, # utc_end 2028-11-05 10:00:00 (Sun) 63972126000, # local_start 2028-03-12 03:00:00 (Sun) 63992685600, # local_end 2028-11-05 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 63992714400, # utc_start 2028-11-05 10:00:00 (Sun) 64003604400, # utc_end 2029-03-11 11:00:00 (Sun) 63992682000, # local_start 2028-11-05 01:00:00 (Sun) 64003572000, # local_end 2029-03-11 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 64003604400, # utc_start 2029-03-11 11:00:00 (Sun) 64024164000, # utc_end 2029-11-04 10:00:00 (Sun) 64003575600, # local_start 2029-03-11 03:00:00 (Sun) 64024135200, # local_end 2029-11-04 02:00:00 (Sun) -28800, 1, 'AKDT', ], [ 64024164000, # utc_start 2029-11-04 10:00:00 (Sun) 64035054000, # utc_end 2030-03-10 11:00:00 (Sun) 64024131600, # local_start 2029-11-04 01:00:00 (Sun) 64035021600, # local_end 2030-03-10 02:00:00 (Sun) -32400, 0, 'AKST', ], [ 64035054000, # utc_start 2030-03-10 11:00:00 (Sun) 64055613600, # utc_end 2030-11-03 10:00:00 (Sun) 64035025200, # local_start 2030-03-10 03:00:00 (Sun) 64055584800, # local_end 2030-11-03 02:00:00 (Sun) -28800, 1, 'AKDT', ], ]; sub olson_version {'2019b'} sub has_dst_changes {32} sub _max_year {2029} sub _new_instance { return shift->_init( @_, spans => $spans ); } sub _last_offset { -32400 } my $last_observance = bless( { 'format' => 'AK%sT', 'gmtoff' => '-9:00', 'local_start_datetime' => bless( { 'formatter' => undef, 'local_rd_days' => 737079, 'local_rd_secs' => 3600, 'offset_modifier' => 0, 'rd_nanosecs' => 0, 'tz' => bless( { 'name' => 'floating', 'offset' => 0 }, 'DateTime::TimeZone::Floating' ), 'utc_rd_days' => 737079, 'utc_rd_secs' => 3600, 'utc_year' => 2020 }, 'DateTime' ), 'offset_from_std' => 0, 'offset_from_utc' => -32400, 'until' => [], 'utc_start_datetime' => bless( { 'formatter' => undef, 'local_rd_days' => 737079, 'local_rd_secs' => 36000, 'offset_modifier' => 0, 'rd_nanosecs' => 0, 'tz' => bless( { 'name' => 'floating', 'offset' => 0 }, 'DateTime::TimeZone::Floating' ), 'utc_rd_days' => 737079, 'utc_rd_secs' => 36000, 'utc_year' => 2020 }, 'DateTime' ) }, 'DateTime::TimeZone::OlsonDB::Observance' ) ; sub _last_observance { $last_observance } my $rules = [ bless( { 'at' => '2:00', 'from' => '2007', 'in' => 'Mar', 'letter' => 'D', 'name' => 'US', 'offset_from_std' => 3600, 'on' => 'Sun>=8', 'save' => '1:00', 'to' => 'max' }, 'DateTime::TimeZone::OlsonDB::Rule' ), bless( { 'at' => '2:00', 'from' => '2007', 'in' => 'Nov', 'letter' => 'S', 'name' => 'US', 'offset_from_std' => 0, 'on' => 'Sun>=1', 'save' => '0', 'to' => 'max' }, 'DateTime::TimeZone::OlsonDB::Rule' ) ] ; sub _rules { $rules } 1;
26.643631
93
0.629761
0.884182
14,169
150
awk
Awk
virtualbeck/awk
[ "MIT" ]
12
virtualbeck/awk
[ "MIT" ]
null
virtualbeck/awk
[ "MIT" ]
1
# Records between two patterns # Example: awk -v begin="^OUTPUT" -v end="^END" -f patterns.awk files/pat.dat $0 ~ end{flag=0} flag $0 ~ begin{flag=1}
25
77
0.673333
0.837246
58
387
adb
Ada
ForYouEyesOnly/Space-Convoy
[ "MIT" ]
1
ForYouEyesOnly/Space-Convoy
[ "MIT" ]
null
ForYouEyesOnly/Space-Convoy
[ "MIT" ]
1
-- -- Jan & Uwe R. Zimmer, Australia, July 2011 -- with GL.IO; use GL.IO; package body Screenshots is Screen_Shot_Count : Positive := 1; --------------- -- Take_Shot -- --------------- procedure Take_Shot is begin Screenshot (Integer'Image (Screen_Shot_Count) & ".bmp"); Screen_Shot_Count := Screen_Shot_Count + 1; end Take_Shot; end Screenshots;
16.826087
62
0.599483
0.806975
148
248
st
Smalltalk
hernanmd/pharo
[ "MIT" ]
5
hernanmd/pharo
[ "MIT" ]
1
hernanmd/pharo
[ "MIT" ]
null
builder buildShortcut: aBuilder <keymap> (aBuilder shortcut: #parent) category: #SmalltalkEditor default: self defaultKeyCombination do: [ :morph | morph standOutOverScope ] description: 'Select the node scope going to the paren node'
20.666667
62
0.758065
0.852611
83
7,681
cljc
Clojure
yetanalytics/project-pan
[ "Apache-2.0" ]
2
yetanalytics/project-pan
[ "Apache-2.0" ]
7
yetanalytics/project-pan
[ "Apache-2.0" ]
null
(ns com.yetanalytics.pan-test.objects-test.concept-test (:require [clojure.test :refer [deftest is testing]] [loom.attr] [com.yetanalytics.pan.graph :as graph] [com.yetanalytics.test-utils :refer [should-satisfy+]] [com.yetanalytics.pan.objects.concept :as concept])) ;; TODO Add test for testing a complete vector of concepts (deftest valid-relation-test (testing "Concepts MUST be of the same type from this Profile version." (should-satisfy+ ::concept/concept-edge {:src "https://foo.org/at1" :dest "https://foo.org/at2" :src-type "ActivityType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/at1" :dest "https://foo.org/at2" :src-type "ActivityType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :narrower} {:src "https://foo.org/at1" :dest "https://foo.org/at2" :src-type "ActivityType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :related} {:src "https://foo.org/aut1" :dest "https://foo.org/aut2" :src-type "AttachmentUsageType" :dest-type "AttachmentUsageType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/aut1" :dest "https://foo.org/aut2" :src-type "AttachmentUsageType" :dest-type "AttachmentUsageType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :narrower} {:src "https://foo.org/aut1" :dest "https://foo.org/aut2" :src-type "AttachmentUsageType" :dest-type "AttachmentUsageType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :related} {:src "https://foo.org/verb1" :dest "https://foo.org/verb2" :src-type "Verb" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/verb1" :dest "https://foo.org/verb2" :src-type "Verb" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :narrower} {:src "https://foo.org/verb1" :dest "https://foo.org/verb2" :src-type "Verb" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :related} :bad {:src "https://foo.org/act" :dest "https://foo.org/at" :src-type "Activity" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/aut" :dest "https://foo.org/at" :src-type "AttachmentUsageType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/at1" :dest "https://foo.org/at2" :src-type "ActivityType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v2" :type :broader} ;; TODO Let broadMatch be a valid relation {:src "https://foo.org/at1" :dest "https://foo.org/at2" :src-type "ActivityType" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v2" :type :broadMatch}))) (deftest valid-extension-test (testing "Extensions MUST point to appropriate recommended concepts." (should-satisfy+ ::concept/concept-edge {:src "https://foo.org/ae" :dest "https://foo.org/at" :src-type "ActivityExtension" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedActivityTypes} {:src "https://foo.org/ce" :dest "https://foo.org/verb" :src-type "ContextExtension" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedVerbs} {:src "https://foo.org/re" :dest "https://foo.org/verb" :src-type "ResultExtension" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedVerbs} :bad {:src "https://foo.org/ae" :dest "https://foo.org/act" :src-type "ActivityExtension" :dest-type "Activity" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedActivityTypes} {:src "https://foo.org/ae" :dest "https://foo.org/at" :src-type "ActivityExtension" :dest-type "ActivityType" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedVerbs} {:src "https://foo.org/ae" :dest "https://foo.org/verb" :src-type "ActivityExtension" :dest-type "Verb" :src-version "https://foo.org/v1" :dest-version "https://foo.org/v1" :type :recommendedVerbs}))) ;; TODO Add graph integration tests (def ex-concepts [{:id "https://foo.org/verb1" :type "Verb" :inScheme "https://foo.org/v1" :broader ["https://foo.org/verb2"]} {:id "https://foo.org/verb2" :type "Verb" :inScheme "https://foo.org/v1" :narrower ["https://foo.org/verb1"]} {:id "https://foo.org/at1" :type "ActivityType" :inScheme "https://foo.org/v1" :broader ["https://foo.org/at2"]} {:id "https://foo.org/at2" :type "ActivityType" :inScheme "https://foo.org/v1" :narrower ["https://foo.org/at1"]} {:id "https://foo.org/aut1" :type "AttachmentUsageType" :inScheme "https://foo.org/v1" :broader ["https://foo.org/aut2"]} {:id "https://foo.org/aut2" :type "AttachmentUsageType" :inScheme "https://foo.org/v1" :narrower ["https://foo.org/aut1"]}]) (def cgraph (concept/create-graph ex-concepts)) (deftest graph-test (testing "Graph properties" (is (= 6 (count (graph/nodes cgraph)))) (is (= 6 (count (graph/edges cgraph)))) (is (= #{"https://foo.org/verb1" "https://foo.org/verb2" "https://foo.org/at1" "https://foo.org/at2" "https://foo.org/aut1" "https://foo.org/aut2"} (set (graph/nodes cgraph)))) (is (= #{{:src "https://foo.org/verb1" :src-type "Verb" :src-version "https://foo.org/v1" :dest "https://foo.org/verb2" :dest-type "Verb" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/verb2" :src-type "Verb" :src-version "https://foo.org/v1" :dest "https://foo.org/verb1" :dest-type "Verb" :dest-version "https://foo.org/v1" :type :narrower} {:src "https://foo.org/at1" :src-type "ActivityType" :src-version "https://foo.org/v1" :dest "https://foo.org/at2" :dest-type "ActivityType" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/at2" :src-type "ActivityType" :src-version "https://foo.org/v1" :dest "https://foo.org/at1" :dest-type "ActivityType" :dest-version "https://foo.org/v1" :type :narrower} {:src "https://foo.org/aut1" :src-type "AttachmentUsageType" :src-version "https://foo.org/v1" :dest "https://foo.org/aut2" :dest-type "AttachmentUsageType" :dest-version "https://foo.org/v1" :type :broader} {:src "https://foo.org/aut2" :src-type "AttachmentUsageType" :src-version "https://foo.org/v1" :dest "https://foo.org/aut1" :dest-type "AttachmentUsageType" :dest-version "https://foo.org/v1" :type :narrower}} (set (concept/get-edges cgraph)))) (is (nil? (concept/validate-graph-edges cgraph)))))
48.923567
110
0.61242
0.815778
2,855
4,222
lhs
Literate Haskell
ryantrinkle/hssqlppp
[ "BSD-3-Clause" ]
1
ryantrinkle/hssqlppp
[ "BSD-3-Clause" ]
null
ryantrinkle/hssqlppp
[ "BSD-3-Clause" ]
null
> {-# LANGUAGE OverloadedStrings #-} > module Database.HsSqlPpp.Tests.Parsing.Dml (dml) where > > import Database.HsSqlPpp.Ast > import Database.HsSqlPpp.Tests.Parsing.Utils TODO: from in update, using in delete (+ type check these) > dml:: Item > dml = > Group "dml" [ > Group "insert" [ > s "insert into testtable\n\ > \(columna,columnb)\n\ > \values (1,2);\n" > [Insert ea > (name "testtable") > [Nmc "columna", Nmc "columnb"] > (Values ea [[num "1", num "2"]]) > Nothing] multi row insert, test the stand alone values statement first, maybe that should be in the select section? > ,s "values (1,2), (3,4);" > [QueryStatement ea $ Values ea [[num "1", num "2"] > ,[num "3", num "4"]]] > > ,s "insert into testtable\n\ > \(columna,columnb)\n\ > \values (1,2), (3,4);\n" > [Insert ea > (name "testtable") > [Nmc "columna", Nmc "columnb"] > (Values ea [[num "1", num "2"] > ,[num "3", num "4"]]) > Nothing] insert from select > ,s "insert into a\n\ > \ select b from c;" > [Insert ea (name "a") [] > (makeSelect > {selSelectList = sl [si $ ei "b"] > ,selTref = [tref "c"]}) > Nothing] > > ,s "insert into testtable\n\ > \(columna,columnb)\n\ > \values (1,2) returning id;\n" > [Insert ea > (name "testtable") > [Nmc "columna", Nmc "columnb"] > (Values ea [[num "1", num "2"]]) > (Just $ sl [si $ ei "id"])] > ] > > ,Group "update" [ > s "update tb\n\ > \ set x = 1, y = 2;" > [Update ea (name "tb") [set "x" $ num "1" > ,set "y" $ num "2"] > [] Nothing Nothing] > ,s "update tb\n\ > \ set x = 1, y = 2 where z = true;" > [Update ea (name "tb") [set "x" $ num "1" > ,set "y" $ num "2"] > [] > (Just $ binop "=" (ei "z") lTrue) > Nothing] > ,s "update tb\n\ > \ set x = 1, y = 2 returning id;" > [Update ea (name "tb") [set "x" $ num "1" > ,set "y" $ num "2"] > [] Nothing (Just $ sl [si $ ei "id"])] > ,s "update tb\n\ > \ set (x,y) = (1,2);" > [Update ea (name "tb") > [MultiSetClause ea [Nmc "x",Nmc "y"] > $ specop "rowctor" [num "1" > ,num "2"]] > [] > Nothing Nothing] > ] App ea "=" [App ea "rowctor" [Identifier ea "x",Identifier ea "y"],App ea "rowctor" [num "1",num "2"]]) > > ,Group "delete" [ > s "delete from tbl1 where x = true;" > [Delete ea (name "tbl1") [] (Just $ binop "=" (ei "x") lTrue) > Nothing] > ,s "delete from tbl1 where x = true returning id;" > [Delete ea (name "tbl1") [] (Just $ binop "=" (ei "x") lTrue) > (Just $ sl [si $ ei "id"])] > ] > > ,Group "truncate" [ > s "truncate test;" > [Truncate ea [name "test"] ContinueIdentity Restrict] > > ,s "truncate table test, test2 restart identity cascade;" > [Truncate ea [name "test",name "test2"] RestartIdentity Cascade] > ] copy, bit crap at the moment > ,Group "copy" [ > s "copy tbl(a,b) from stdin;\n\ > \bat\tt\n\ > \bear\tf\n\ > \\\.\n" > [CopyFrom ea (name "tbl") [Nmc "a", Nmc "b"] Stdin [] > ,CopyData ea "\ > \bat\tt\n\ > \bear\tf\n"] > ,s "copy tbl (a,b) from 'filename' with delimiter '|';" > [CopyFrom ea (name "tbl") [Nmc "a", Nmc "b"] > (CopyFilename "filename") > [CopyDelimiter "|"]] > ,s "copy tbl to 'file';" > [CopyTo ea (CopyTable (name "tbl") []) "file" []] > ,s "copy tbl(a,b) to 'file';" > [CopyTo ea (CopyTable (name "tbl") [Nmc "a", Nmc "b"]) "file" []] > ,s "copy (select * from tbl) to 'file' with format binary;" > [CopyTo ea (CopyQuery $ makeSelect {selSelectList = sl [si $ Star ea] > ,selTref = [tref "tbl"]}) > "file" [CopyFormat "binary"]] > ]] > where > s = Stmt
30.594203
103
0.459498
0.835086
1,608
527
thy
Isabelle
gilith/opentheory
[ "MIT" ]
13
gilith/opentheory
[ "MIT" ]
9
gilith/opentheory
[ "MIT" ]
3
name: gfp-div-exp-thm version: 1.44 description: Correctness of a GF(p) exponentiation algorithm based on division author: Joe Leslie-Hurd <joe@gilith.com> license: MIT provenance: HOL Light theory extracted on 2015-06-25 requires: base requires: gfp-def requires: gfp-div-def requires: gfp-div-exp-def requires: gfp-div-thm requires: gfp-thm requires: natural-fibonacci show: "Data.Bool" show: "Data.List" show: "Number.GF(p)" show: "Number.Natural" show: "Number.Natural.Fibonacci" main { article: "gfp-div-exp-thm.art" }
22.913043
78
0.759013
0.9025
219
347
thy
Isabelle
gilith/opentheory
[ "MIT" ]
13
gilith/opentheory
[ "MIT" ]
9
gilith/opentheory
[ "MIT" ]
3
name: natural-divides-thm version: 1.52 description: Properties of the divides relation on natural numbers author: Joe Leslie-Hurd <joe@gilith.com> license: MIT provenance: HOL Light theory extracted on 2015-05-26 requires: base requires: natural-divides-def show: "Data.Bool" show: "Number.Natural" main { article: "natural-divides-thm.art" }
23.133333
66
0.775216
0.87
128
1,820
rmd
RMarkdown
deandevl/RregressPkg
[ "MIT" ]
null
deandevl/RregressPkg
[ "MIT" ]
null
deandevl/RregressPkg
[ "MIT" ]
null
--- title: "plot_matrix_scatter_demo" author: "Rick Dean" date: "1/27/2021" output: html_document --- ```{r setup, include=FALSE} knitr::opts_chunk$set(echo = TRUE) ``` ```{r} library(ggplot2) library(here) library(palmerpenguins) library(data.table) library(grid) library(gtable) library(RplotterPkg) library(RregressPkg) ``` ## Advertising Data ### Read data ```{r} current_dir <- here() data_path <- file.path(current_dir, "demos/data/Advertising.csv") advertise_dt <- data.table::fread(data_path) advertise_dt <- advertise_dt[,.(sales,TV,radio,newspaper)] ``` ### Plot scatter matrix ```{r, fig.width=12, fig.height=12} RregressPkg::plot_matrix_scatter( df = advertise_dt, title = "Advertising Predictors of Sales", rot_y_tic_label = T, plot_dim = 10 ) ``` ## Penguin Data ### Read data ```{r} data("penguins", package = "palmerpenguins") penguins_dt <- data.table::setDT(penguins) penguins_dt <- penguins_dt[, .( Species = species, Island = island, Bill_Len = bill_length_mm/10, Bill_Dep = bill_depth_mm/10, Flip_Len = flipper_length_mm/100, Body_Mass = body_mass_g/1000, Sex = sex, Year = as.factor(year))] penguins_dt <- na.omit(penguins_dt) ``` ### Refactor *Island* and *Species* ```{r} penguins_dt[, `:=`(Island = as.factor(fcase(Island == "Biscoe","Bis", Island == "Dream","Dr", Island == "Torgersen", "Tor")))] penguins_dt[,`:=`(Species = as.factor(fcase(Species == "Adelie","Ad", Species == "Chinstrap","Ch", Species == "Gentoo","Ge")))] ``` ### Plot scatter matrix ```{r, fig.width=14, fig.height=14} RregressPkg::plot_matrix_scatter( df = penguins_dt, title = "Palmer Penguins", plot_dim = 13, rot_y_tic_label = T ) ```
21.162791
69
0.627473
0.84572
760
215
pas
Pascal
devconsult/usercontrol
[ "Apache-2.0" ]
null
devconsult/usercontrol
[ "Apache-2.0" ]
null
devconsult/usercontrol
[ "Apache-2.0" ]
null
unit UCNexusDBConnReg; interface uses Classes, UCNexusDBConn; procedure Register; implementation procedure Register; begin RegisterComponents('UC Connectors', [TUCNexusDBConnector]); end; end.
13.4375
62
0.748837
0.825556
77
511
sol
Solidity
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
hwbeeson/wepppy
[ "BSD-3-Clause" ]
null
95.1 # This WEPP soil input file was made using USDA-SCS Soil-5 (1992) data # base. Assumptions: soil albedo=0.23, initial sat.=0.75. If you have # any question, please contact Reza Savabi, Ph: (317)-494-5051 # Soil Name: STISSING Rec. ID: MA0049 Tex.:silt loam 1 1 'STISSING' 'SIL' 3 .23 .75 5417800.00 .020228 3.50 4.66 228.6 27.4 11.5 3.50 9.6 10.1 406.4 46.6 7.0 1.17 2.1 18.4 1524.0 46.6 6.5 .39 2.0 31.1
46.454545
77
0.549902
0.816667
270
3,503
coffee
CoffeeScript
cozy-labs/emails
[ "MIT" ]
58
cozy-labs/emails
[ "MIT" ]
6
cozy-labs/webmail
[ "MIT" ]
20
{nav, div, button, a} = React.DOM {MessageFlags, FlagsConstants, Tooltips} = require '../constants/app_constants' ToolboxActions = require './toolbox_actions' ToolboxMove = require './toolbox_move' LayoutActionCreator = require '../actions/layout_action_creator' alertError = LayoutActionCreator.alertError alertSuccess = LayoutActionCreator.notify # Shortcuts for buttons classes cBtnGroup = 'btn-group btn-group-sm pull-right' cBtn = 'btn btn-default fa' module.exports = React.createClass displayName: 'ToolbarMessage' propTypes: message : React.PropTypes.object.isRequired mailboxes : React.PropTypes.object.isRequired selectedMailboxID : React.PropTypes.string.isRequired onDelete : React.PropTypes.func.isRequired onMove : React.PropTypes.func.isRequired onHeaders : React.PropTypes.func.isRequired render: -> nav className: 'toolbar toolbar-message btn-toolbar' onClick: (event) -> event.stopPropagation() # inverted order due to `pull-right` class div(className: cBtnGroup, @renderToolboxMove() @renderToolboxActions()) if @props.full @renderQuickActions() if @props.full @renderReply() renderReply: -> div className: cBtnGroup, a className: "#{cBtn} fa-mail-reply mail-reply" href: "#reply/#{@props.message.get 'id'}" 'aria-describedby': Tooltips.REPLY 'data-tooltip-direction': 'top' a className: "#{cBtn} fa-mail-reply-all mail-reply-all" href: "#reply-all/#{@props.message.get 'id'}" 'aria-describedby': Tooltips.REPLY_ALL 'data-tooltip-direction': 'top' a className: "#{cBtn} fa-mail-forward mail-forward" href: "#forward/#{@props.message.get 'id'}" 'aria-describedby': Tooltips.FORWARD 'data-tooltip-direction': 'top' renderQuickActions: -> div className: cBtnGroup, button className: "#{cBtn} fa-trash" onClick: @props.onDelete 'aria-describedby': Tooltips.REMOVE_MESSAGE 'data-tooltip-direction': 'top' renderToolboxActions: -> flags = @props.message.get('flags') or [] isFlagged = FlagsConstants.FLAGGED in flags isSeen = FlagsConstants.SEEN in flags ToolboxActions ref: 'toolboxActions' mailboxes: @props.mailboxes inConversation: @props.inConversation isSeen: isSeen isFlagged: isFlagged messageID: @props.message.get 'id' message: @props.message onMark: @props.onMark onHeaders: @props.onHeaders onConversationMark: @props.onConversationMark onConversationMove: @props.onConversationMove onConversationDelete: @props.onConversationMove direction: 'right' displayConversations: false # to display messages actions renderToolboxMove: -> ToolboxMove ref: 'toolboxMove' mailboxes: @props.mailboxes onMove: @props.onMove direction: 'right'
35.744898
79
0.573223
0.811001
956
408
asm
Assembly
ckrause/loda-programs
[ "Apache-2.0" ]
11
ckrause/loda-programs
[ "Apache-2.0" ]
9
ckrause/loda-programs
[ "Apache-2.0" ]
3
; A278741: Odd numbers n such that tau(n-1) is a prime. ; 3,5,17,65,1025,4097,65537,262145,4194305,268435457,1073741825,68719476737,1099511627777,4398046511105,70368744177665,4503599627370497,288230376151711745,1152921504606846977,73786976294838206465,1180591620717411303425,4722366482869645213697 seq $0,6005 ; The odd prime numbers together with 1. trn $0,2 mov $2,2 pow $2,$0 mov $0,$2 mul $0,2 add $0,1
37.090909
241
0.801471
0.825
327
196
sh
Shell
magland/mountainlab_devel
[ "MIT" ]
null
magland/mountainlab_devel
[ "MIT" ]
null
magland/mountainlab_devel
[ "MIT" ]
null
#!/bin/bash path0=output_synth_EJ_K7 mountainsort ds001_sort.msh $path0/pre0.mda $path0 --detectability_threshold=5 rc=$?; if [[ $rc != 0 ]]; then exit $rc; fi mountainsort ds001_view.msh $path0
28
78
0.739796
0.854638
89
282
go
Go
rannoch/cldr
[ "MIT" ]
null
rannoch/cldr
[ "MIT" ]
null
rannoch/cldr
[ "MIT" ]
1
package kw import "github.com/rannoch/cldr" var Locale = &cldr.Locale{ Locale: "kw", Number: cldr.Number{ Symbols: symbols, Formats: formats, Currencies: currencies, }, Calendar: calendar, PluralRule: pluralRule, } func init() { cldr.RegisterLocale(Locale) }
14.842105
32
0.687943
0.903333
119
121,625
sv
SystemVerilog
comradekingu/osmeditor4android
[ "Apache-2.0" ]
null
comradekingu/osmeditor4android
[ "Apache-2.0" ]
null
comradekingu/osmeditor4android
[ "Apache-2.0" ]
null
{ "address":[ "postadress", "postnummer", "husnummer", "Adress", "destination", "gatuadress", "postort" ], "advertising/billboard":[ "affischtavla", "reklamskylt", "reklamtavla", "affisch", "reklam", "Annonstavla" ], "advertising/column":[ "annonstavla", "reklamplats", "Reklampelare", "annons", "affisch", "reklam", "affischpelare", "reklampelare", "billboard", "marknadsföring", "annonspelare", "annonsering" ], "aerialway":[ "Linbana" ], "aerialway/cable_car":[ "Kabinbana", "linbana", "pendelbana" ], "aerialway/chair_lift":[ "lift", "linbana", "Expresslift", "Stollift", "stolslift", "skidlift" ], "aerialway/drag_lift":[ "Släplift", "Draglift", "lift", "linbana", "skidlift" ], "aerialway/gondola":[ "Gondolbana", "lift", "linbana", "Gondol", "skidlift" ], "aerialway/goods":[ "gruvlift", "transportbana", "varor", "gods", "varulift", "linbana", "transport", "industrilift", "Transportlift", "transportlinbana", "lift", "industri", "Transportlinbana" ], "aerialway/magic_carpet":[ "skidliften", "släplift", "lift", "Rullband", "magisk matta" ], "aerialway/mixed_lift":[ "Hybridlift (Telemixlift)", "stollift", "expresslift", "Telemixlift", "gondol", "lift", "linbana", "skidlift", "stolslift", "hybridlift", "gondolbana" ], "aerialway/platter":[ "tallrikslift", "släplift", "lift", "knapp", "linbana", "tallrik", "Knapplift", "skidlift" ], "aerialway/pylon":[ "pylon", "stolpe", "Linbanestolpe", "stötta", "pelare" ], "aerialway/rope_tow":[ "släplift", "lift", "linbana", "skidlift", "Replift" ], "aerialway/station":[ "Linbanestation" ], "aerialway/t-bar":[ "Ankarlift", "släplift", "T-lift", "lift", "linbana", "skidlift", "T-bygellift" ], "aeroway":[ "Flygtrafik" ], "aeroway/aerodrome":[ "flyghamn", "flyg", "flygplats", "aerodrom", "Flygplats", "lufthamn", "flygfält", "flygplan", "landningsplats" ], "aeroway/apron":[ "flygparkering", "Flygplansparkering", "parkering av flygplan", "apron", "Parkering av flygplan (Apron)", "parkering av plan", "flygplansplatta", "flygplatsplatta" ], "aeroway/gate":[ "flyggate", "flygplatsgate", "Gate" ], "aeroway/hangar":[ "Hangar", "flygverkstad", "flygplansgarage", "flyggarage", "garage för flygplan", "flygplanshall" ], "aeroway/helipad":[ "Helipad", "Helikopterplatta", "helikopter" ], "aeroway/runway":[ "Start- och landningsbana", "landningsbana", "Startbana", "landa", "landning", "rullbana" ], "aeroway/taxiway":[ "flygplansväg", "transportbana", "Taxibana", "transportsträcka" ], "aeroway/terminal":[ "flygplats", "Flygterminal", "Flygplatsterminal", "flygterminal", "terminal", "avgångshall", "ankomsthall" ], "allotments/plot":[ "odlingslott", "lott", "koloniträdgård", "koloniområde", "Kolonilott", "koloni", "täppa" ], "amenity":[ "Facilitet" ], "amenity/animal_boarding":[ "kattpensionat", "katt", "hundkollo", "Djurhotell", "katthotell", "häst", "Hundhotell", "hund", "Hundpensionat", "inackordering", "reptil", "djurkollo", "Djurpensionat", "husdjur", "kattkollo" ], "amenity/animal_breeding":[ "katt", "ko", "tjur", "kattunge", "djurhållning", "häst", "avel", "hund", "reptil", "valp", "boskap", "Djuruppfödning", "djuravel", "husdjur", "Uppfödning", "djuruppfödning" ], "amenity/animal_shelter":[ "Djurhem", "katthem", "hemlös", "katt", "rovfågel", "häst", "vanvårdad", "hund", "reptil", "omplacering", "djuradoption", "karantän", "husdjur", "omhändertagande", "djurskydd" ], "amenity/arts_centre":[ "kulturcenter", "museum", "kultur", "tavlor", "kulturhus", "Konstcenter", "konst" ], "amenity/atm":[ "bankomat", "minuten", "otto", "uttagsautomat", "Uttagsautomat", "atm", "kontanter", "pengar" ], "amenity/bank":[ "kreditinrättning", "investering", "Bank", "bankkontor", "insättning", "check", "låneinstitut", "bankvalv", "besparing", "penninginrättning", "fonder", "banklokal", "kassa", "penninganstalt" ], "amenity/bar":[ "Bar", "matställe", "servering", "saloon", "öl", "cocktailsalong", "sprit", "pub", "krog" ], "amenity/bbq":[ "bbq", "Grill", "eldning", "eldstad", "Barbecue", "grillplats", "Grillplats/Grill", "eldplats", "grillning" ], "amenity/bench":[ "sits", "bänk", "sittmöbel", "sittbräde", "soffa", "Bänk" ], "amenity/bicycle_parking":[ "ställplats", "cykel", "Cykelparkering", "cykelställ", "Parkering" ], "amenity/bicycle_rental":[ "Cykeluthyrning", "lånecykel", "cykellån", "cykel", "cykelleasing", "hyrcykel" ], "amenity/bicycle_repair_station":[ "Cykelreparation", "kedjebrytare", "Station för cykelreparation", "cykel", "tryckluft", "cykelpump", "pumpstation" ], "amenity/biergarten":[ "ölträdgård", "Ölträdgård", "Biergarten", "öl", "sprit", "trädgårdspub", "uteservering", "ölcafé", "utecafé" ], "amenity/boat_rental":[ "båtleasing", "lånebåt", "Båtuthyrning", "hyrbåt", "båtlån" ], "amenity/bureau_de_change":[ "resecheckar", "valuta", "pengaväxlare", "Växlingskontor", "pengaväxling", "växling", "pengar" ], "amenity/bus_station":[ "Busstation / Bussterminal" ], "amenity/cafe":[ "te", "kondis", "kaffeservering", "servering", "kaffestuga", "kafeteria", "fik", "cafeteria", "konditori", "bistro", "kaffe", "Café" ], "amenity/car_pooling":[ "lånebil", "hyrbil", "Bilpool" ], "amenity/car_rental":[ "Biluthyrning", "lånebil", "hyrbil", "billån", "billeasing" ], "amenity/car_sharing":[ "bildelning", "Bilpool" ], "amenity/car_wash":[ "biltvättanläggning", "tvättgata", "tvätt-tunnel", "portaltvätt", "Biltvätt" ], "amenity/casino":[ "Tärning", "spelsalong", "Kasino", "poker", "spelklubb", "spelhåla", "spelrum", "blackjack", "kasino", "spelhus", "spel", "Casino", "roulette", "kortspel", "hasardspel" ], "amenity/charging_station":[ "snabbladdning", "eluttag", "el", "Laddstation", "elbil" ], "amenity/childcare":[ "lekgrupp", "Förskola", "Barnomsorg", "daghem", "Barnhem", "Dagmamma", "Dagis" ], "amenity/cinema":[ "bioduk", "Bio", "Biografteater", "film", "Biograf", "drive-in" ], "amenity/clinic":[ "sjukvård", "distriktssköterska", "doktor", "Klinik", "vårdcentral", "distriktsläkare", "sjukhus", "Vårdcentral", "primärvård", "läkare" ], "amenity/clinic/abortion":[ "framkallat missfall", "abort", "Abortklinik", "missfall", "abortklinik", "fosterfördrivning", "avbrytande av havandeskap" ], "amenity/clinic/fertility":[ "Insemination", "Fertilitetscentrum", "Fertilitet", "barnlöshet", "fortplantning", "ägglossning", "Äggfrys", "spermie", "spermadonation", "befruktning", "reproduktion", "IVF", "äggdonation", "Fertilitetsklinik" ], "amenity/clock":[ "väggur", "urtavla", "kyrkklocka", "solur", "Klocka", "ur", "väggklocka", "tidur" ], "amenity/college":[ "college", "gymnasieområde", "gymnasie", "vidareutbildning", "gymnasiumområde", "Gymnasium", "Collegeområde" ], "amenity/community_centre":[ "folkets hus", "bygdegård", "Sockenstuga", "Samlingslokal", "folkets park", "Hembygdsgård", "byförening", "festlokal", "Byalag", "bystuga", "evenemang" ], "amenity/compressed_air":[ "Tryckluft", "pumpstation", "komprimerad luft" ], "amenity/courthouse":[ "lag", "rätt", "Domstol", "juridik", "ting", "rättskipare", "tribunal", "instans", "lagbok" ], "amenity/coworking_space":[ "Dagkontor" ], "amenity/crematorium":[ "begravning", "Krematorium", "kremering" ], "amenity/dentist":[ "tänder", "tanddoktor", "odontolog", "tandborstning", "tand", "Tandläkare", "tandhygien", "tandhygienist" ], "amenity/doctors":[ "klinik", "sjukvård", "sjukvårdare", "doktor", "vårdcentral", "sjukhus", "läkare", "Doktor", "vårdinrättning" ], "amenity/dojo":[ "Dojo", "kampsport", "budo", "japan", "japansk konst", "Dojo / Akademi för kampsport", "kampkonst", "dojang", "träningslokal" ], "amenity/drinking_water":[ "Dricksvatten ", "Dricksvatten", "källa", "fontän", "vatten" ], "amenity/driving_school":[ "bilskola", "körkort", "Trafikskola", "uppkörning", "lastbilskort", "övningskörning", "körskola" ], "amenity/embassy":[ "legation", "Ambassad", "diplomatisk beskickning", "utlandsrepresentation", "beskickning", "ambassad" ], "amenity/fast_food":[ "skräpmat", "Snabbmat", "gatuköksmat", "hämtmat", "gatukök", "restaurang", "takeaway", "bukfylla", "junk-food" ], "amenity/ferry_terminal":[ "Färjeterminal / Färjehållplats / Färjestation" ], "amenity/fire_station":[ "brandstång", "brandbil", "räddningstjänsten", "Brandstation", "brandtorn" ], "amenity/food_court":[ "mat", "gatukök", "mattorg", "restaurangtorg", "snabbmat", "food court", "restaurang", "Restaurangtorg" ], "amenity/fountain":[ "springbrunn", "Fontän", "vattenkonst" ], "amenity/fuel":[ "bensin", "diesel", "LNG", "Bensinstation", "bränsle", "propan", "tapp", "tankstation", "CNG", "mack", "biodiesel" ], "amenity/grave_yard":[ "Gravplats", "urnlund", "griftegård", "kyrkogård", "begravningsplats", "Kyrkogård", "minneslund" ], "amenity/grit_bin":[ "sand", "Sandlåda", "salt", "halkbekämpning", "Sandkista", "sandkista", "sandbehållare", "halka" ], "amenity/hospital":[ "sanatorium", "sjukhus", "läkare", "Sjukhusområde", "klinik", "sjukvård", "institution", "lasarett", "läkarmottagning", "sjukstuga", "vårdhem", "kirurgi", "sjuk" ], "amenity/hunting_stand":[ "jakt", "skjuta", "viltjakt", "Jakttorn", "utkik", "älgtorn", "utkikstorn", "vilt", "Skjutstege" ], "amenity/ice_cream":[ "glasskiosk", "yogurt", "glass", "Glassaffär", "mjukglass", "sorbet", "sherbet", "frozen", "kulglass", "gelato" ], "amenity/internet_cafe":[ "Internetcafé", "internetkafé", "internetcaffe", "internetcafe", "cybercafé", "Internetkafé" ], "amenity/kindergarten":[ "kindergarten", "Förskola", "lekplats", "Förskoleområde", "dagis", "lekskola", "daghem", "lekis" ], "amenity/library":[ "läsesal", "bokrum", "Bibliotek", "boksamling", "bibbla", "böcker", "bokskatt", "bok" ], "amenity/love_hotel":[ "Kärlekshotell", "hotell", "sexhotell", "korttidshotell" ], "amenity/marketplace":[ "Marknadsplats", "salutorg", "marknad", "torg", "Saluhall" ], "amenity/monastery":[ "helgedom", "allah", "församling", "tempelområde", "kyrka", "katedral", "religiös anläggning", "kor", "vallfärdsort", "andaktsrum", "gudshus", "tillbedjan", "moské", "begravningskapell", "andligt område", "moske", "fristad", "kloster", "dopkapell", "kapell", "gudstjänstslokal", "tro", "mission", "bönehus", "gud", "dyrkan", "guds hus", "kristendom", "missionshus", "sanktuarium", "andaktssal", "dom", "kyrkogård", "böneplats", "basilika", "tempel", "kyrkobyggnad", "religiös", "religiöst område", "Klosterområde", "bönhus", "sidokapell", "kranskapell", "predikan", "vallfärgsplats", "betel", "kristen", "kyrkbyggnad", "synagoga", "mässkapell", "religion", "annexkyrka", "gravkapell", "kyrkorum", "andaktslokal", "gudstjänstlokal", "gudstjänst", "kyrksal", "korkapell", "tabernakel" ], "amenity/motorcycle_parking":[ "motorcykelställ", "parkeringsplats", "ställplats", "motorcykel", "parkering motorcykel", "parkeringsplats motorcykel", "Motorcykelparkering", "parkering" ], "amenity/music_school":[ "musikskola", "musikinstrument", "sångskola", "kultur", "kör", "instrument", "musik", "kulturskola", "instrumentskola", "sång", "Musikskola" ], "amenity/nightclub":[ "diskotek", "dansställe", "klubb", "bar", "nöjeslokal", "Nattklubb", "disco", "disko*", "dans", "dansklubb" ], "amenity/nursing_home":[ "Vårdhem" ], "amenity/parking":[ "parkeringsplats", "p-plats", "Parkering", "parkeringsområde", "Bilparkering" ], "amenity/parking_entrance":[ "utfart", "garage", "parkeringshus", "infart", "In- och utfart parkeringsgarage" ], "amenity/parking_space":[ "handikapsparkering", "handikapsficka", "Parkeringsruta", "parkeringsyta", "Enskild parkeringsplats", "parkeringsficka" ], "amenity/pavilion":[ "Paviljong", "lusthus" ], "amenity/pharmacy":[ "Läkemedel", "drog*", "medicin", "Läkemedel*", "droghandel", "apotek", "läkemedelsaffär", "farmaceut", "recept" ], "amenity/place_of_worship":[ "helgedom", "allah", "församling", "tempelområde", "kyrka", "katedral", "religiös anläggning", "kor", "vallfärdsort", "andaktsrum", "gudshus", "tillbedjan", "moské", "begravningskapell", "andligt område", "moske", "fristad", "kloster", "dopkapell", "kapell", "gudstjänstslokal", "tro", "mission", "bönehus", "gud", "dyrkan", "guds hus", "kristendom", "missionshus", "sanktuarium", "andaktssal", "dom", "kyrkogård", "böneplats", "basilika", "tempel", "kyrkobyggnad", "religiös", "religiöst område", "Plats för tillbedjan", "bönhus", "sidokapell", "kranskapell", "socken", "predikan", "vallfärgsplats", "betel", "kristen", "kyrkbyggnad", "synagoga", "mässkapell", "religion", "slottskapell", "annexkyrka", "gravkapell", "kyrkorum", "andaktslokal", "gudstjänstlokal", "gudstjänst", "kyrksal", "korkapell", "pastorat", "tabernakel" ], "amenity/place_of_worship/buddhist":[ "pagoda", "Buddhisttempel", "Buddhism", "Buddha", "kloster", "meditation", "zendo", "chörten", "stupa", "tempel", "dojo", "vihara" ], "amenity/place_of_worship/christian":[ "helgedom", "församling", "tempelområde", "kyrka", "katedral", "religiös anläggning", "kor", "vallfärdsort", "andaktsrum", "gudshus", "tillbedjan", "begravningskapell", "andligt område", "fristad", "Kyrka", "kloster", "dopkapell", "kapell", "gudstjänstslokal", "tro", "mission", "bönehus", "gud", "dyrkan", "guds hus", "kristendom", "missionshus", "sanktuarium", "andaktssal", "dom", "kyrkogård", "böneplats", "basilika", "tempel", "kyrkobyggnad", "religiös", "religiöst område", "bönhus", "sidokapell", "kranskapell", "socken", "predikan", "vallfärgsplats", "betel", "kristen", "kyrkbyggnad", "mässkapell", "religion", "slottskapell", "annexkyrka", "gravkapell", "kyrkorum", "andaktslokal", "gudstjänstlokal", "gudstjänst", "kyrksal", "korkapell", "pastorat", "tabernakel" ], "amenity/place_of_worship/hindu":[ "hinduism", "helgedom", "hindu", "Hindutempel", "garbhagriha", "Sanatana Dharma", "puja", "arcana", "tempel" ], "amenity/place_of_worship/jewish":[ "helgedom", "dom", "predikan", "katedral", "Synagoga", "böneplats", "tempel", "religion", "Jude", "tro", "bönehus", "gudshus", "gudstjänstlokal", "Judendom", "tillbedjan", "missionshus" ], "amenity/place_of_worship/muslim":[ "helgedom", "muslim", "predikan", "böneplats", "religion", "kyrkobyggnad", "tro", "bönehus", "gudshus", "gudstjänstlokal", "tillbedjan", "moské", "minaret", "Moské" ], "amenity/place_of_worship/shinto":[ "kami", "helgedom", "torii", "Jinja", "shintohelgedom", "shrine", "tempel", "yashiro", "jingū", "Shinto shrine", "miya", "Shinto", "Jinja (Shintoistisk helgedom)", "shintoism" ], "amenity/place_of_worship/sikh":[ "helgedom", "Sikh-tempel", "Sikh", "Sikhtempel", "Sikhism", "Gurudwara", "Sikhiskt tempel", "tempel" ], "amenity/place_of_worship/taoist":[ "helgedom", "Taoistiskt tempel", "Taoism", "tao", "daoism", "tempel" ], "amenity/planetarium":[ "museum", "observatorium", "astronomi", "Planetarium" ], "amenity/police":[ "polisman", "pass", "poliskonstapel", "Polis", "snut", "polismyndighet", "kriminalare", "ordningsmakt", "polisväsende", "lag", "konstapel", "polismakt", "polisstation" ], "amenity/post_box":[ "Postlåda", "brevinkast", "post", "Brevlåda", "postlåda", "brev" ], "amenity/post_office":[ "Postkontor", "post", "kort", "postverk", "posten", "frimärke", "paket", "försändelser", "postgång", "postväsende", "brev" ], "amenity/prison":[ "häkte", "fångvårdsanstalt", "polisarrest", "Fängelseområde", "fängelse", "arrest", "anstalt", "fängelseförvar", "fånganstalt", "finka" ], "amenity/pub":[ "bar", "ölservering", "nattklubb", "öl", "sprit", "alkohol", "ölstuga", "drinkar", "Pub", "krog" ], "amenity/public_bath":[ "badinrättning", "het källa", "badhus", "simbassäng", "bad", "bassängbad", "bassäng", "badplats", "strandbad", "onsen", "strand", "Publikt bad", "fotbad", "badställe" ], "amenity/public_bookcase":[ "begagnade böcker", "Offentlig bokhylla", "publik bokhylla", "låneböcker", "bokdelning", "bibliotek", "bokbyte" ], "amenity/ranger_station":[ "informationscenter", "infocenter", "besökscenter", "friluftsområde", "Friluftsanläggningen", "park", "friluftsliv" ], "amenity/recycling":[ "skräp", "container", "metall", "återvinningscontainer", "återvinningsstation", "flaskor", "glas", "återbruk", "Återvinningscontainer ", "sopstation", "skrot", "burkar", "återvinning", "sopor" ], "amenity/recycling_centre":[ "skräp", "återvinningsstation", "flaskor", "dumpa", "Återvinningscentral", "glas", "sopstation", "skrot", "återbruk", "burkar", "återvinning", "sopor" ], "amenity/register_office":[ "Registreringsbyrå" ], "amenity/restaurant":[ "café. matsal", "lunch", "servering", "grillbar", "värdshus", "kafé", "brasserie", "cafeteria", "krog", "bodega", "rotisseri", "matservering", "bar", "matställe", "pizzeria", "Restaurang", "restauration", "pub", "näringsställe", "sylta", "kaffe" ], "amenity/sanitary_dump_station":[ "tömningsplats", "gråvatten", "toalettömning", "Campingtoalett", "sanitet", "campingplats", "torrtoalett", "Latrintömning" ], "amenity/school":[ "Campus", "högskoleområde", "gymnasium", "grundskola", "Skolområde", "universitet", "Skolgård", "högskola", "högstadium", "mellanstadium", "universitetsområde", "skolområde", "lågstadium" ], "amenity/scrapyard":[ "Bilskrot" ], "amenity/shelter":[ "väntkur", "grotta", "hydda", "Skydd", "vindskydd", "Väderskydd", "koja", "väderskydd", "tak över huvudet", "picknick", "lusthus" ], "amenity/shower":[ "duschbad", "Dusch", "duschrum", "badrum", "duschkabin", "duschutrymme" ], "amenity/smoking_area":[ "rökruta", "cigarett", "Rökområde", "rökning tillåten", "rökrum", "röka", "rökning", "rökområde" ], "amenity/social_facility":[ "uteliggare", "social", "välgörenhetsorganisationer", "social hjälp", "socialen", "välgörenhet", "hjälparbete", "Social inrättning" ], "amenity/social_facility/food_bank":[ "matbank", "Matbank", "välgörenhetsorganisation", "matutdelning", "matpaket" ], "amenity/social_facility/group_home":[ "grupphem", "välgörenhetsorganisationer", "gammal", "välgörenhet", "hjälparbete", "ålderdomshem", "Gruppboende", "kollektiv" ], "amenity/social_facility/homeless_shelter":[ "Härbärge", "hemlös", "sovsal", "bostadslös" ], "amenity/social_facility/nursing_home":[ "pensionärshem", "servicehus", "hem för gamla", "Seniorboende", "servicehem", "äldreboende", "HVB-hem", "seniorboende", "senior", "pensionär", "assistansboende", "Vårdhem", "ålderdomshem", "hem för vård och boende" ], "amenity/studio":[ "utsändningslokal", "TV", "filminspelning", "inspelningslokal", "television", "TV-studio", "inspelning", "filmstudio", "Studio", "radiostudio", "radio" ], "amenity/swimming_pool":[ "Simbassäng" ], "amenity/taxi":[ "taxificka", "taxistation", "taxi", "Taxihållplats" ], "amenity/telephone":[ "telefonautomat", "telefonkiosk", "telefonkur", "telefonhytt", "Telefon" ], "amenity/theatre":[ "skådebana", "drama", "Teater", "teaterföreställning", "föreställning", "skådespel", "skådeplats", "scen", "musikal", "pjäs", "teater" ], "amenity/toilets":[ "avträde", "latrin", "Toalett", "hemlighus", "skithus", "badrum", "toa", "Toaletter", "utedass", "bekvämlighetsinrättning", "wc", "Baja-Maja", "klo", "vattentoalett", "dass", "torrklosett", "klosett", "vattenklosett", "bajamaja", "mugg" ], "amenity/townhall":[ "ämbetsverk", "folkets hus", "Stadshus", "fullmäktige", "riksdag", "domstolsbyggnad", "parlament", "samlingslokal", "myndighet", "representation", "samlingsplats", "stad", "Kommunhus", "kommunalhus", "by", "kommun", "kommunstyrelse", "förvaltning" ], "amenity/university":[ "college", "universitetsbyggnad", "högskola", "högskoleområde", "Universitet", "universitetsområde", "akademi", "Universitetsområde", "lärosäte" ], "amenity/vending_machine":[ "biljett", "tuggummiautomater", "läsk", "Varuautomat", "biljettautomat", "läskautomat", "varumaskin", "biljetter", "godisautomat", "mellanmål" ], "amenity/vending_machine/cigarettes":[ "cigaretter", "snusautomat", "tobaksautomat", "Cigarettautomat" ], "amenity/vending_machine/coffee":[ "the", "te", "Varuautomat", "Espresso", "expresso", "Kaffeautomat", "varumaskin", "kaffe" ], "amenity/vending_machine/condoms":[ "kondomomat", "Kondomautomat", "kondomer" ], "amenity/vending_machine/drinks":[ "kaffeautomat", "drickautomat", "läsk", "dryck", "dryckesautomat", "Dryckesautomat ", "läskautomat", "kaffemaskin", "juice", "kaffe", "dryckautomat" ], "amenity/vending_machine/electronics":[ "kabel", "laddare", "kablar", "varumaskin", "laddkabel", "laddkablar", "mobiltelefon", "pekplatta", "telefon", "surfplatta", "varuautomat", "Varumaskin för elektronik", "elektronik", "öronsnäckor", "hörlurar" ], "amenity/vending_machine/elongated_coin":[ "mynt", "Penny Press", "minnesmyntmaskin", "elongated penny", "myntpressmaskin", "ECM", "coin maskin", "minne", "minnesmynt", "souvenirmynt", "elongated coin-maskin", "Elongated coin-maskin (myntpressmaskin)", "elongated coin", "souvenir" ], "amenity/vending_machine/excrement_bags":[ "hundpåsar", "hund", "bajs", "hundskit", "Bajspåsar", "hundbajs", "avföringspåse", "djur", "skitpåse", "hundbajspåsar" ], "amenity/vending_machine/feminine_hygiene":[ "Varumaskin för mensskydd", "kvinnor", "binda", "tampong", "kvinna", "bindor", "menstruation", "kondom", "mens", "mensskydd" ], "amenity/vending_machine/food":[ "mat", "matvarumaskin", "matautomat", "Matvaruautomat", "Varuautomat", "varumaskin", "mellanmål" ], "amenity/vending_machine/fuel":[ "Bränslepump", "diesel", "ing", "tanka", "bensinstation", "propan", "tankomat", "tankstation", "mack", "bensin", "etanol", "bränsle", "tapp", "pump", "cng", "biodiesel" ], "amenity/vending_machine/ice_cream":[ "glass", "Glassautomat", "Varuautomat", "isglass", "varumaskin" ], "amenity/vending_machine/news_papers":[ "Tidningsautomat" ], "amenity/vending_machine/newspapers":[ "Tidningsautomat", "tidning", "tidningsdistribution", "tidningar", "tidningsutlämning", "tidningslåda" ], "amenity/vending_machine/parcel_pickup_dropoff":[ "Automat för ut- och inlämning av paket", "Paketutlämning", "paketinlämning", "paketautomat" ], "amenity/vending_machine/parking_tickets":[ "parkeringsur", "biljett", "parkeringsavgift", "parkometer", "Parkeringsautomat", "parkering" ], "amenity/vending_machine/public_transport_tickets":[ "tågbiljett", "tågbiljetter", "transport", "tunnelbana", "färja", "båt", "Biljettautomat för kollektivtrafik", "bussbiljetter", "biljett", "tåg", "bussbiljett", "spårvagn", "Biljettautomat", "buss" ], "amenity/vending_machine/stamps":[ "porto", "frankering", "post", "Varuautomat", "Frimärksautomat", "frankeringsautomat", "varumaskin", "frimärke", "vykort", "brev" ], "amenity/vending_machine/sweets":[ "tuggummi", "tuggummiautomater", "chips", "godis", "Godisautomat", "godisautomat", "mellanmål" ], "amenity/veterinary":[ "djurdoktor", "djurläkare", "djurklinik", "Veterinär ", "djursjukhus", "Veterinär" ], "amenity/waste/dog_excrement":[ "hund", "sopkärl", "hundbajspåse", "bajs", "Sopkärl för hundbajspåsar", "hundskit", "hundbajs", "bajspåsar", "skitpåse", "hundbajspåsar", "soptunna" ], "amenity/waste_basket":[ "skräpkorg", "skräp", "Soptunna", "Soptunna (liten)", "sopkärl", "papperskorg", "papperskärl", "avfallskorg", "sopor" ], "amenity/waste_disposal":[ "Soptunna", "industrisopor", "sopkärl", "avfall", "avfallskärl", "avfallstunna", "hushållssopor", "avfallskontainer", "Soptunna (hushålls- eller industrisopor)", "sopor" ], "amenity/waste_transfer_station":[ "skräp", "dumpa", "skrot", "återvinning", "Avfallscentral" ], "amenity/water_point":[ "Dricksvatten", "vattenpåfyllning", "Dricksvatten för campingfordon" ], "amenity/watering_place":[ "dricksvatten", "utfodring", "dricksvatten för djur", "djurutfodring", "Dricksvatten för djur", "vattenhåll", "djur", "vattenkar" ], "area":[ "fällt", "areal", "område", "utrymme", "Yta", "plan", "mark" ], "area/highway":[ "vägplan", "Vägbeläggning", "Vägyta", "torg", "köryta", "promenatyta" ], "attraction/amusement_ride":[ "karusell", "Åkattraktion", "nöjespark", "temapark", "tivoli", "nöjeskarusell" ], "attraction/animal":[ "akvarium", "lejon", "björn", "Djur", "apa", "temapark", "djurpark", "fiskar", "zoo", "tiger", "zoologisk trädgård" ], "attraction/big_wheel":[ "åkattraktion", "karusell", "nöjespark", "temapark", "stort hjul", "tivoli", "Pariserhjul", "nöjeskarusell" ], "attraction/bumper_car":[ "åkattraktion", "Radiobilar", "nöjespark", "temapark", "radiobil", "tivoli" ], "attraction/bungee_jumping":[ "Bungyjump", "bungee jump", "nöjespark", "temapark", "hopplattform", "tivoli" ], "attraction/carousel":[ "åkattraktion", "nöjespark", "temapark", "Karusell", "Karusell (roterande)", "tivoli", "nöjeskarusell" ], "attraction/dark_ride":[ "åkattraktion", "karusell", "nöjespark", "temapark", "tivoli", "spöktåg", "Mörk åktur", "nöjeskarusell" ], "attraction/drop_tower":[ "åkattraktion", "karusell", "nöjespark", "temapark", "tivoli", "Fritt fall", "nöjeskarusell" ], "attraction/maze":[ "Trojeborg", "slingergång", "Trädgårdslabyrint", "Labyrint", "Trojaborg", "irrgång" ], "attraction/pirate_ship":[ "karusell", "roterande båt", "vikingaskepp", "Åkattraktion", "nöjespark", "temapark", "gunga", "tivoli", "Båtgunga", "piratskepp", "gungande båt", "nöjeskarusell" ], "attraction/river_rafting":[ "karusell", "Åkattraktion", "nöjespark", "temapark", "forsbana", "fors", "tivoli", "Forsränning", "Vattenbana", "nöjeskarusell" ], "attraction/roller_coaster":[ "åkattraktion", "berg- och dalbana", "bergochdalbana", "dalbana", "Berg- och dalbana", "nöjespark", "temapark", "berg-och-dalbana", "berg-och-dal-bana", "bergodalbana", "tivoli" ], "attraction/train":[ "stadståg", "sightseeing", "vägtåg", "sightseeingtåg", "Turisttåg (ej på räls)", "turisttåg", "Tschu-Tschu", "Tuff tuff-tåg" ], "attraction/water_slide":[ "vattenrutschkana", "Vattenrutschbana", "rutschkana", "vattenrutschbana" ], "barrier":[ "bom", "räcke", "avspärrning", "stopp", "Barriär", "skydd", "hinder", "blockering", "mur", "barriär", "vall", "spärr" ], "barrier/block":[ "trafikbarriärer", "sugga", "Block", "Trafikhinder", "betongsugga", "avspärrare" ], "barrier/bollard":[ "Pollare", "stolpe", "Stolpe" ], "barrier/border_control":[ "passkontroll", "pass", "tull", "Gränskontroll", "säkerhetskontroll", "gräns" ], "barrier/cattle_grid":[ "Färist", "galler", "rist" ], "barrier/city_wall":[ "skans", "vallar", "Stadsmur", "befästningsverk", "fort", "barrikad", "mur", "ringmur" ], "barrier/cycle_barrier":[ "Cykelbarriär", "Cykelbarriär ", "hinder", "barriär" ], "barrier/ditch":[ "ränna", "Dike", "vallgrav" ], "barrier/entrance":[ "Entré" ], "barrier/fence":[ "gärdsgård", "inhägnad", "stängsel", "Staket" ], "barrier/gate":[ "Grind" ], "barrier/hedge":[ "Häck", "buskar" ], "barrier/kerb":[ "trottoarkant", "kantsten", "Trottoarkant", "kant" ], "barrier/kissing_gate":[ "Grind vid betesmark", "Kryssgrind" ], "barrier/lift_gate":[ "Bom", "avspärrning", "lyftbom", "spärr" ], "barrier/retaining_wall":[ "Stödmur", "nivåskillnad" ], "barrier/stile":[ "Övergång", "trappa" ], "barrier/toll_booth":[ "vägavgift", "importavgift", "tullmyndighet", "gränstull", "tullvisitation", "tullkontroll", "Tullstation", "tullhus", "införselavgift", "skatt" ], "barrier/wall":[ "befästning", "vägg", "hinder", "murverk", "Mur", "skyddsvärn", "barriär" ], "boundary/administrative":[ "Gräns", "gränslinje", "Administrativ gräns", "administrativ gräns" ], "building":[ "anläggning", "fastighet", "kåk", "bygge", "konstruktion", "hus", "Byggnad", "byggnadsverk" ], "building/apartments":[ "Lägenheter", "Bostad", "bostadshus", "lägenheter", "lägenhet", "hyreshus" ], "building/barn":[ "lagård", "loge", "ladugård", "Lada", "magasin", "skjul", "skulle" ], "building/boathouse":[ "Båthus", "sjöbod", "strandbod" ], "building/bungalow":[ "fristående hus", "stuga", "sommarstuga", "Bungalow", "semesterhus", "villa" ], "building/bunker":[ "Bunker" ], "building/cabin":[ "kåk", "Stuga", "sommarstuga", "hus", "koja", "fritidshus", "landställe", "torp" ], "building/cathedral":[ "helgedom", "dom", "stiftskyrka", "Katedral", "kyrka", "religiös anläggning", "kyrkogård", "basilika", "kyrkobyggnad", "Huvudkyrka", "religiös", "religiöst område", "vallfärdsort", "gudshus", "biskopskyrka", "tillbedjan", "andligt område", "fristad", "kloster", "predikan", "vallfärgsplats", "kristen", "kyrkbyggnad", "religion", "tro", "kyrkorum", "gud", "biskop", "dyrkan", "guds hus", "gudstjänst", "kyrksal", "domkyrka", "kristendom" ], "building/chapel":[ "helgedom", "andaktssal", "tempelområde", "kyrka", "religiös anläggning", "kyrkogård", "böneplats", "kor", "tempel", "kyrkobyggnad", "religiös", "religiöst område", "bönhus", "sidokapell", "andaktsrum", "gudshus", "tillbedjan", "begravningskapell", "fristad", "socken", "predikan", "dopkapell", "kristen", "Kapell", "kyrkbyggnad", "mässkapell", "religion", "tro", "slottskapell", "gravkapell", "annexkyrka", "kyrkorum", "mission", "bönehus", "andaktslokal", "gudstjänstlokal", "gud", "Kranskapell", "dyrkan", "guds hus", "gudstjänst", "kyrksal", "korkapell", "kristendom", "missionshus", "sanktuarium" ], "building/church":[ "helgedom", "församling", "tempelområde", "katedral", "religiös anläggning", "kor", "vallfärdsort", "gudshus", "andaktsrum", "tillbedjan", "begravningskapell", "andligt område", "fristad", "Kyrka", "kloster", "dopkapell", "kapell", "gudstjänstslokal", "tro", "mission", "bönehus", "gud", "dyrkan", "guds hus", "Kyrkobyggnad", "kristendom", "missionshus", "sanktuarium", "andaktssal", "dom", "kyrkogård", "böneplats", "basilika", "tempel", "kyrkobyggnad", "religiös", "religiöst område", "bönhus", "sidokapell", "kranskapell", "socken", "predikan", "vallfärgsplats", "betel", "kristen", "kyrkbyggnad", "mässkapell", "religion", "slottskapell", "annexkyrka", "gravkapell", "kyrkorum", "andaktslokal", "gudstjänst", "kyrksal", "korkapell", "pastorat", "tabernakel" ], "building/civic":[ "kommunal", "stadshus", "kommunhus", "Civil", "publik", "Kommunal byggnad", "medborgarhus" ], "building/college":[ "Gymnasie", "gymnasium", "gymnasiebyggnad", "Collegebyggnad", "universitet" ], "building/commercial":[ "Kommersiell byggnad", "kommersiellt", "Kontorsbyggnad", "affärsbyggnad", "handelsbyggnad" ], "building/construction":[ "bygge", "byggarbete", "byggnadsplats", "byggarbetsplats", "byggnation", "Byggnad under uppförande", "Byggnad under konstruktion" ], "building/detached":[ "enfamiljshus", "fristående hus", "Villa", "hus", "friliggande villa", "Fristående hus", "friliggande hus", "envåningshus", "fristående villa", "egnahem", "kåk", "enbostadshus", "småhus" ], "building/dormitory":[ "sovsal", "Elevhem", "korridorboende", "internatskola", "internat", "kollektiv", "Korridorboende", "studentkorridor" ], "building/entrance":[ "Entré/utgång" ], "building/farm":[ "lantbruk", "gård", "Mangårdsbyggnad", "bostadshus", "hus", "Mangårdsbyggnad (bostadshus på gård)", "bostad" ], "building/farm_auxiliary":[ "lantbruk", "ekonomibyggnader", "gård", "ladugård", "gårdshus", "stall", "Gårdsbyggnader", "lantbruksbyggnader" ], "building/garage":[ "kallgarage", "Garage", "bilskjul", "garage", "parkeringshus", "varmgarage", "bilstall", "carport" ], "building/garages":[ "kallgarage", "bilgarage", "Garage", "bilförvaring", "bilskjul", "parkeringshus", "uppställningsplats", "varmgarage", "bilstall", "skydd för bilar", "carport" ], "building/grandstand":[ "åskådarplats", "åskådare", "Huvudläktare", "sittplats", "läktare", "publik", "sport" ], "building/greenhouse":[ "vinterträdgård", "Växthus", "driveri", "blomsterhus", "orangeri", "odlingshus", "växthus", "drivhus", "växtodling" ], "building/hospital":[ "sjukvårdsinrättning", "klinik", "lasarett", "sjukhem", "sjukstuga", "vårdhem", "sjukhus", "Sjukhusbyggnad", "hospital", "vårdanstalt" ], "building/hotel":[ "", "motell", "hotell", "Hotellbyggnad", "vandrarhem", "värdshus", "härbärge", "pensionat", "gästhem" ], "building/house":[ "enfamiljshus", "kåk", "Villa", "bostadshus", "enbostadshus", "hus", "småhus", "Enfamiljshus", "parhus", "egnahem", "radhus" ], "building/hut":[ "barack", "hydda", "stuga", "skydd", "Koja", "kyffe" ], "building/industrial":[ "lager", "Industribyggnad", "industri", "fabrik" ], "building/kindergarten":[ "dagishus", "förskolehus", "kindergarten", "förskolebyggnad", "Förskola", "barnomsorg", "dagis", "lekskola", "dagisbyggnad", "daghem", "lekis", "Förskolebyggnad" ], "building/mosque":[ "Moskébyggnad", "islam", "muslim", "muhammedansk helgedom", "muhammedanism", "moské", "minaret" ], "building/public":[ "allmän byggnad", "offentlig byggnad", "Publik byggnad" ], "building/residential":[ "Hyreshus", "Boningshus", "Bostadshus", "Flerfamiljshus" ], "building/retail":[ "Affärsbyggnad", "detaljhandel", "butik", "försäljningsställe", "varuhus", "kiosk", "affärshus", "affärer" ], "building/roof":[ "överbyggnad", "valv", "övertäckning", "regnskydd", "Tak" ], "building/ruins":[ "husrest", "fornlämning", "raserad", "förfallen", "ödehus", "huslämning", "ruin", "Ruinbyggnad" ], "building/school":[ "gymnasium", "skolhus", "undervisning", "grundskola", "utbildning", "skola", "undervisningsanstalt", "högstadium", "folkhögskola", "mellanstadium", "komvux", "Skolbyggnad", "läroanstalt", "läroverk", "skolväsen", "lärosäte", "lågstadium" ], "building/semidetached_house":[ "fristående hus", "Villa", "radhusområde", "hus", "friliggande hus", "småhus", "parhus", "Delvist Fristående hus", "radhus", "parhusområde" ], "building/service":[ "teknikhus", "transformator", "nätstation", "Teknikhus", "teknik", "transformatorhus", "fördelningsstation", "mäthus", "pumphus", "mätstation", "pump", "mätning" ], "building/shed":[ "uthus", "förråd", "visthusbod", "visthus", "Skjul", "förvaring", "verkstad", "förvaringsskjul", "barack", "hobbyhus", "bod", "friggebod", "hobbyrum" ], "building/stable":[ "stallbyggnad", "hästar", "ridhusanläggning", "ridhus", "Stall", "häst" ], "building/stadium":[ "arenabyggnad", "stadion", "byggnad", "Stadionbyggnad", "friidrottsstadion", "stadium", "Stadion", "arena" ], "building/static_caravan":[ "husvagn", "campingvagn", "Villavagn" ], "building/temple":[ "fristad", "helgedom", "tempelområde", "religiös anläggning", "böneplats", "tempel", "religion", "tro", "religiös", "religiöst område", "Tempelbyggnad", "mission", "bönehus", "bönhus", "andaktsrum", "gudshus", "gud", "dyrkan", "guds hus", "tillbedjan" ], "building/terrace":[ "Terrasshus" ], "building/train_station":[ "Järnvägsstation" ], "building/transportation":[ "Byggnad för kollektivtrafik", "linbaneterminal", "Färjeterminal", "linbana", "linjetrafik", "terminal", "transport", "färja", "båt", "kollektivtrafikbyggnad", "kollektivtrafik", "Perrong", "bussterminal", "båtterminal", "spårvagnsterminal", "metro", "transit", "station", "buss" ], "building/university":[ "högskola", "Universitetsbyggnad", "högskolebyggnad", "universitet" ], "building/warehouse":[ "lager", "lada", "upplag", "depå", "packhus", "Lagerhus", "magasin" ], "camp_site/camp_pitch":[ "tält", "camping", "husvagn", "Tältplats/husvagnsplats", "Campingplats", "husvagnsplats", "Tältplats" ], "circular":[ "Trafikcirkel" ], "club":[ "klubblokal", "klubb", "föreningslokal", "förening", "Klubb", "sammanslutning", "socialt", "sällskap" ], "craft":[ "hantverkare", "Hantverk", "skrå", "slöjd" ], "craft/basket_maker":[ "korgflätning", "korgtillverkning", "Korgtillverkare", "korg", "Korgslöjd" ], "craft/beekeeper":[ "honung", "bi", "honungstillverkning", "Biodlare", "biodling" ], "craft/blacksmith":[ "konsthantverk", "smide", "smidesverkstad", "smida", "Smed" ], "craft/boatbuilder":[ "båtbyggeri", "varv", "båtbyggare", "Båtbyggare" ], "craft/bookbinder":[ "bokbinderi", "bokbindning", "bindning", "Bokbindare", "böcker", "bokreparatör", "bok" ], "craft/brewery":[ "ölframställning", "öl", "Bryggeri", "öltillverkning" ], "craft/carpenter":[ "timmerman", "byggnadssnickare", "träarbetare", "grovsnickare", "Snickare" ], "craft/carpet_layer":[ "matta", "mattläggning", "golv", "golvläggare", "Mattläggare" ], "craft/caterer":[ "matleverantör", "matleverans", "catering", "Catering", "cateringfirma" ], "craft/chimney_sweeper":[ "Sotare", "skorstensfejare", "rökgång", "sotarmurre", "skorsten" ], "craft/clockmaker":[ "Urmakare (väggur)", "klockmakare", "Urmakare" ], "craft/confectionery":[ "konfekt", "sötsaker", "godisfabrik", "choklad", "Godistillverkare", "godis", "godsaker", "konfektyrer", "karameller", "pastiller" ], "craft/distillery":[ "sprittillverkning", "mezcal", "bourbon", "alkohol", "sprit", "gin", "hembränning", "rom", "tequila", "whisky", "vodka", "alkoholtillverkning", "spritdryck", "Destilleri", "spritdestillering", "brandy", "alkoholdestillering", "scotch" ], "craft/dressmaker":[ "Sömmerska", "Dressmaker", "sy", "kvinnokläder", "klädtillverkning", "skräddare", "Klädsömmare", "sömnad", "klänning", "kläder" ], "craft/electrician":[ "systembyggare", "kabeldragning", "montör", "el", "elkraft", "elmontör", "elreparatör", "starkströmsmontör", "Elektriker" ], "craft/electronics_repair":[ "tv-service", "tv-reparatör", "datorreparation", "reparation", "skärmbyte", "datorservice", "telefonreparatör", "elektronikreparation", "reparatör", "elektronik", "Elektronikreparatör", "vitvaror", "tvättmaskinsreparatör" ], "craft/gardener":[ "landskapsarkitekt", "Trädgårdsmästare", "trädgård", "handelsträdgård" ], "craft/glaziery":[ "Glasmästare", "glasblåsare", "glas", "fönster", "solskydd", "glaskonst", "målat glas" ], "craft/handicraft":[ "snickeri", "hantverk", "konsthantverk", "textil", "Hantverkare", "vävstuga", "Hantverk", "handarbete", "sömnad", "slöjd", "snideri", "hemslöjd", "vävning" ], "craft/hvac":[ "inomhusklimat", "energiförsörjning", "ventilation", "sanitet", "avlopp", "kyla", "VVS", "värme", "air condition", "rörmokare", "övervakningssystem", "styrsystem", "gas", "vattenförsörjning", "uppvärmning", "luftkonditionering", "tryckluft", "vatten", "sprinkler", "installationsteknik" ], "craft/insulator":[ "Isolering", "ljudisolering", "isolerare", "värmeisolering", "isolationsmaterial" ], "craft/jeweler":[ "Smycken" ], "craft/key_cutter":[ "nyckelringar", "Nyckeltillverkning", "hänglås", "nyckel", "nycklar", "nyckelkopiering", "nyckelring" ], "craft/locksmith":[ "Låssmed" ], "craft/metal_construction":[ "Metallarbete", "metallarbetare", "metallindustri", "kallbearbetning", "svets", "svetsare", "svetsning" ], "craft/optician":[ "Optiker" ], "craft/painter":[ "Målare", "färg", "måleriarbetare", "penslar", "tapetsering", "måleri", "tapetserare", "lackering", "målarmästare", "tapeter" ], "craft/photographer":[ "Fotograf", "bild", "fotografering", "porträttfotografering", "bildkonst", "porträtt", "kamera" ], "craft/photographic_laboratory":[ "mörkrum", "Fotoframkallning", "kanvas", "framkallning", "fotoframkallning", "foto", "Filmframkallning", "film", "utskrift" ], "craft/plasterer":[ "puts", "Putsare", "cement", "gips", "väggputs" ], "craft/plumber":[ "rörmontör", "rörläggare", "Rörmokare", "dränering", "vatten", "avlopp", "rör" ], "craft/pottery":[ "lergods", "Krukmakeri", "krukgods", "keramik", "Krukmakare", "porslin", "stengods", "glasering", "lerkärl", "drejare", "drejning", "lera", "krukmakeri", "keramiker" ], "craft/rigger":[ "tackling", "rigg", "segelbåt", "segelfartyg", "mast", "segel", "Riggare", "tågvirke" ], "craft/roofer":[ "Takläggare, takläggning, tak, takpannor, yttertak, Taktegel, tegel", "Takläggare" ], "craft/saddler":[ "läder", "säte", "Sadelmakare", "sadelmakeri", "sadel" ], "craft/sailmaker":[ "Segelmakare", "segelsömnad", "segel", "segelmakeri" ], "craft/sawmill":[ "Sågverk", "trä", "virke", "brädor", "bräda", "timmer", "plank" ], "craft/scaffolder":[ "ställning", "Ställningsbyggare", "byggnadsställning" ], "craft/sculptor":[ "skulptör", "bildhuggare", "skulpturer", "Skulptör", "bildsnidare", "skulptur", "staty" ], "craft/shoemaker":[ "Skomakare", "skor" ], "craft/stonemason":[ "Stenhuggare", "stenbrott" ], "craft/tailor":[ "Skräddare" ], "craft/tiler":[ "golvläggare", "Plattläggare" ], "craft/tinsmith":[ "plåtslagare", "Tennsmed ", "tenn", "förtennare", "Tennsmed", "Tunnplåtslagare" ], "craft/upholsterer":[ "Möbelstoppare", "stoppning", "tapetserare", "möbler" ], "craft/watchmaker":[ "Urmakare (små klockor)", "Urmakare", "armbandsur", "fickur", "klockreparatör" ], "craft/window_construction":[ "fönsterinstallatör", "Fönstertillverkare", "dörr", "dörrleverantör", "dörrar", "glas", "dörrmontör", "dörrinstallatör", "fönster", "fönsterleverantör", "fönstermontör", "dörrtillverkare" ], "craft/winery":[ "Vinfabrik", "vinframställnig", "vineri", "vinproduktion", "Vinframställning", "vin" ], "embankment":[ "bank", "Vägbank", "Upphöjning", "barnvall", "vall" ], "emergency/ambulance_station":[ "Ambulansstation", "räddning", "räddningstjänst", "ambulans" ], "emergency/defibrillator":[ "hjärtstartare", "Defibrillator", "hjärthjälp" ], "emergency/designated":[ "Åtkomst för utryckningsfordon - Avsedd för" ], "emergency/destination":[ "Åtkomst för utryckningsfordon - Destination" ], "emergency/fire_alarm":[ "brandtelefon", "Nödtelefon" ], "emergency/fire_extinguisher":[ "skumsläckare", "pulversläckare", "vattensläckare", "vattenpost", "eldsläckare", "koldioxidsläckare", "brandsläckning", "Brandpost", "Brandsläckare", "brandslang", "handbrandsläckare", "kolsyresläckare", "brand" ], "emergency/fire_hydrant":[ "brandsläckning", "Brandpost", "vattenpost", "brandslang" ], "emergency/first_aid_kit":[ "brännsår", "sårvård", "plåster", "sår", "Första hjälpen", "första hjälpen låda", "första hjälpen kit", "förbandslåda", "förband", "bandage" ], "emergency/life_ring":[ "livräddningsboj", "frälsarkrans", "Livboj", "livräddning", "livboj" ], "emergency/lifeguard":[ "Badvakt", "CPR", "strandvakt", "livräddare", "badvakt", "räddning", "Lifeguard" ], "emergency/no":[ "Åtkomst för utryckningsfordon - Nej" ], "emergency/official":[ "Åtkomst för utryckningsfordon - Officiellt" ], "emergency/phone":[ "nödnummer", "Nödtelefon", "alarmtelefon", "larmtelefon", "alarmeringscentral" ], "emergency/private":[ "Åtkomst för utryckningsfordon - Ja" ], "emergency/siren":[ "larm", "Viktigt Meddelande till Allmänheten", "beredskapslarm", "mistlur", "starktonssiren", "varning", "flyglarm", "Siren", "Tyfon", "Hesa Fredrik", "VMA" ], "emergency/water_tank":[ "vattensamling", "kris", "reservoar", "räddning", "vattentorn", "nödtank", "brandsläckningstank", "lagringstank", "brandsläckning", "cistern", "Vattentank för brandsläckning", "tank", "brand", "nöd", "vatten", "vattentank" ], "emergency/yes":[ "Åtkomst för utryckningsfordon - Ja" ], "entrance":[ "entré", "huvudentré", "dörr", "utgång", "Ingång", "In-/Utgång" ], "footway/crossing":[ "Vägövergång", "vägpassage", "gångpassage", "Vägpassage", "övergångsställe", "gångvägspassage" ], "footway/crossing-raised":[ "vägövergång", "Upphöjd vägkorsning", "upphöjd", "farthinder", "fartdämpare", "gupp" ], "footway/crosswalk":[ "Vägövergång", "vägpassage", "gångpassage", "övergångsställe", "gångvägspassage", "Övergångsställe för gående" ], "footway/crosswalk-raised":[ "vägövergång", "Upphöjd vägkorsning", "Upphöjt övergångsställe", "upphöjd", "farthinder", "övergångsställe", "fartdämpare", "gupp" ], "footway/sidewalk":[ "Trottoar", "gångbana", "gångväg" ], "ford":[ "vad", "Vadställe", "övergångsställe" ], "golf/bunker":[ "golf", "sandhål", "sandfälla", "hinder", "Bunker", "sandgrop" ], "golf/fairway":[ "golf", "Fairway" ], "golf/green":[ "puttinggreen", "golf", "green", "hål", "Green" ], "golf/hole":[ "golf", "Golfhål", "hål" ], "golf/lateral_water_hazard_area":[ "golf", "vattenhinder", "out of bounds", "Oändligt vattenhinder/sidovattenhinder", "Oändligt vattenhinder", "sidovattenhinder" ], "golf/lateral_water_hazard_line":[ "golf", "vattenhinder", "out of bounds", "Oändligt vattenhinder/sidovattenhinder", "Oändligt vattenhinder", "sidovattenhinder" ], "golf/rough":[ "Ruff", "ruffen", "ruff", "gräs" ], "golf/tee":[ "golf", "utslagsplats", "Tee" ], "golf/water_hazard_area":[ "golf", "Vattenhinde" ], "golf/water_hazard_line":[ "golf", "Vattenhinde" ], "healthcare":[ "klinik", "institution", "välmående", "Hälsovård", "doktor", "sjukdom", "kirurgi", "sjuk", "läkare", "hälsa", "mottagning" ], "healthcare/alternative":[ "naturopati", "reiki", "tuina", "hydroterapi", "herbalism", "antroposofisk", "hypnos", "unani", "ayurveda", "Alternativmedicin", "aromaterapi", "osteopati", "shiatsu", "tillämpad kinesiologi", "örtmedicin", "homeopati", "reflexologi", "traditionell", "alternativ medicin", "akupunktur" ], "healthcare/alternative/chiropractic":[ "ryggen", "ryggsmärta", "ryggrad", "ryggbesvär", "smärta", "Kiropraktor", "Kiropraktik", "Kiropraktik (rygg)", "Kotknackare" ], "healthcare/audiologist":[ "hörapparat", "Audionom", "Audionomist", "Audionomi (hörsel)", "Audionomi", "öra", "örat", "hörsel", "ljud" ], "healthcare/birthing_center":[ "BB", "graviditet", "barnafödsel", "Förlossning", "bäbis", "barn", "Förlossningsavdelning", "baby", "förlossning", "Barnbördshus ", "bebis" ], "healthcare/blood_donation":[ "blodgivning", "blodcentral", "plasmaferes", "donera blod", "blodtransfusion", "bloddonation", "ge blod", "stamcellsdonation", "Blodgivarcentral", "blodgivare", "aferes", "Plateletpheresis", "blodbank" ], "healthcare/hospice":[ "Hospis", "döende", "död", "Palliativ vård", "terminalvård", "Hospis (palliativ vård)" ], "healthcare/laboratory":[ "Medicinskt laboratorium", "diagnos", "kemi", "blodkontroll", "diagnosering", "lab", "immunologi", "Laboratoriemedicin", "patologi", "laboratorium", "analys", "medicinskt laboratorium", "provtagning", "genetik", "farmakologi", "analysrådgivning", "mikrobiologi", "blodanalys", "medicinskt lab", "transfusionsmedicin" ], "healthcare/midwife":[ "mödrahälsovård", "ungdomsmottagning", "Gynekologi", "gynekolog", "jordemo", "ackuschörska", "Preventivmedel", "Barnmorska", "mödravårdscentra" ], "healthcare/occupational_therapist":[ "ergonomi", "terapeut", "Arbetsterapi", "rehabilitering", "hjälpmedel", "terapi" ], "healthcare/optometrist":[ "korrektionsglas", "ögon", "glasögon", "Optometri (ögon)", "Optometrier", "Optometri", "linser", "syn", "synhjälpmedel", "synfel", "ögonlaser" ], "healthcare/physiotherapist":[ "Fysioterapi (sjukgymnastik)", "terapeut", "sjukgymnastik", "Fysioterapi", "fysisk", "Fysioterapeut", "terapi" ], "healthcare/podiatrist":[ "Podiatri (fötter)", "fötter", "fothälsa", "fotkirurgi", "Podiatri", "naglar", "podiatriker", "fot" ], "healthcare/psychotherapist":[ "Psykoterapi", "terapeut", "rådgivare", "psykolog", "Psykoterapeut", "sinne", "ångest", "kuratorer", "självmord", "terapi", "psykologisk behandling", "mental hälsa", "depression" ], "healthcare/rehabilitation":[ "Rehabilitering", "Rehab", "terapeut", "terapi" ], "healthcare/speech_therapist":[ "röst", "språk", "terapeut", "Logoped (röst/tal)", "dysfagi", "Logoped", "språkstörning", "röststörning", "tal", "terapi", "talstörning" ], "highway":[ "Väg" ], "highway/bridleway":[ "rida", "ryttare", "ridstig", "Ridväg", "ridning", "häst" ], "highway/bus_guideway":[ "guidad buss", "Spårbuss", "buss" ], "highway/bus_stop":[ "Busshållplats / Bussplattform" ], "highway/corridor":[ "inomhus", "inomhuskorridor", "korridor", "gång", "gångpassage", "förbindelsegång", "Korridor inomhus" ], "highway/crossing":[ "vägkors", "plankorsning", "Korsning", "gatukorsning", "vägpassage", "Vägkorsning", "kors", "vägskäl", "kryss" ], "highway/crossing-raised":[ "vägövergång", "Upphöjd vägkorsning", "upphöjd", "farthinder", "fartdämpare", "gupp" ], "highway/crosswalk":[ "Vägövergång", "vägpassage", "gångpassage", "övergångsställe", "gångvägspassage", "Övergångsställe för gående" ], "highway/crosswalk-raised":[ "vägövergång", "Upphöjd vägkorsning", "Upphöjt övergångsställe", "upphöjd", "farthinder", "övergångsställe", "fartdämpare", "gupp" ], "highway/cycleway":[ "cykelled", "gång- och cykelväg", "cykelväg", "gc-väg", "Cykelväg", "cykel" ], "highway/elevator":[ "Hiss" ], "highway/footway":[ "gång- och cykelväg", "vandring", "gångväg", "gc-väg", "vandra", "stig", "Gångväg", "löparbana", "motionsspår", "promenad" ], "highway/give_way":[ "utfartsregeln", "lämna företräde", "väjningspliktsskylt", "utfart", "väjningsplikt", "Väjningsplikt", "företräde" ], "highway/living_street":[ "torg", "Gångfartsområde", "gårdsgata" ], "highway/mini_roundabout":[ "Minirondell", "cirkulationsplats", "rondell", "trafikrondell" ], "highway/motorway":[ "Motorväg", "snabbled", "stadsmotorväg" ], "highway/motorway_junction":[ "motorvägspåfart", "trafikplats", "mot", "avfart", "Motorvägspåfart / -avfart", "motorvägsavfart", "Påfart", "vägkorsning" ], "highway/motorway_link":[ "trafikplats", "motorvägsanslutning", "avfart", "Anslutning", "påfart", "Anslutning, motorväg" ], "highway/passing_place":[ "passage", "Mötesplats", "passeringsplats", "möte" ], "highway/path":[ "vandring", "gångväg", "gång", "vandra", "vandringsled", "Stig", "led", "spår", "löparbana", "motionsspår", "promenad" ], "highway/pedestrian_area":[ "plaza", "gångområde", "centrum", "gångväg", "torg", "gångfart", "Gångfartsområde", "gågata", "gårdsgata" ], "highway/pedestrian_line":[ "gångområde", "affärsgata", "centrum", "gångväg", "gång", "gående", "torg", "shoppinggata", "promenad", "plaza", "gångbana", "Gågata", "fotgängare" ], "highway/primary":[ "primärväg", "riksväg", "Primär väg", "länsväg", "huvudväg" ], "highway/primary_link":[ "Anslutning, primär väg", "primärväg", "avfart", "riksväg", "primär väg", "Anslutning", "påfart", "huvudväg" ], "highway/raceway":[ "racerbana", "motorbana", "gokart", "rallybana", "motorracerbana", "go-kart", "Motorracerbana", "tävlingsbana", "motortävling", "rally", "kappkörning" ], "highway/residential":[ "bostadsområde", "Bostadsgata", "gata", "villaväg", "villagata" ], "highway/rest_area":[ "bensinstation", "Rastplats" ], "highway/road":[ "främmande", "ospecificerad", "Okänd väg", "okänd väg", "okänd", "obekant", "outforskad" ], "highway/secondary":[ "sekundärväg", "länsväg", "Sekundär väg", "huvudväg" ], "highway/secondary_link":[ "sekundär väg", "Anslutning, sekundär väg", "avfart", "sekundärväg", "länsväg", "Anslutning", "påfart", "huvudväg" ], "highway/service":[ "Serviceväg", "bakgård", "campinggata", "parkeringsväg", "Uppfart", "industriväg" ], "highway/service/alley":[ "Gränd", "bigata", "gränd", "sidogata", "bakgata" ], "highway/service/drive-through":[ "hämtmat", "McDrive", "Drive-through", "Genomkörning" ], "highway/service/driveway":[ "privat väg", "garageinfart", "Uppfart", "infart", "villaväg" ], "highway/service/emergency_access":[ "räddningsväg", "brandbil", "nödväg", "Brandväg", "polis", "utrymningsväg", "brandkår", "Utryckningsfordon", "ambulans", "utryckningsväg", "Åtkomst för utryckningsfordon" ], "highway/service/parking_aisle":[ "parkeringsplats", "Parkeringsväg", "parkeringsgata" ], "highway/services":[ "bensinstation", "snabbmat", "restaurang", "Rastplats", "vägmat", "Rastplats med försäljning" ], "highway/speed_camera":[ "fartkontroll", "hastighetskamera", "Trafiksäkerhetskamera", "Fartkamera" ], "highway/steps":[ "rulltrappa", "trappor", "trapp", "Trappa", "trappsteg", "trappnedgång", "trappuppgång" ], "highway/stop":[ "lämna företräde", "stopp", "Stoppskylt" ], "highway/street_lamp":[ "lyktstolpe", "Gatlampa ", "lampa", "Gatubelysning", "belysning", "gatuljus", "Gatlampa" ], "highway/tertiary":[ "Tertiär väg", "sekundära länsväg", "huvudgata", "allmän väg", "länsväg" ], "highway/tertiary_link":[ "huvudgata", "Anslutning, tertiär väg", "avfart", "länsväg", "Anslutning", "påfart", "tertiär väg" ], "highway/track":[ "jordbruksväg", "Jordbruks-/skogsväg", "åkerväg", "traktor", "timmer", "brandväg", "jordbruk", "brandgata", "virkesväg", "Bruksväg", "skogsmaskin", "åker", "traktorväg", "skogsväg", "timmerväg" ], "highway/traffic_mirror":[ "utfartspegel", "spegel", "hörn", "konvex", "Trafikspegel", "vägspegel", "säkerhet" ], "highway/traffic_signals":[ "trafikljus", "Trafikljus", "signalljus", "Trafiksignaler", "trafiksignal", "ljus", "stoppljus" ], "highway/trunk":[ "riksväg", "Huvudväg", "Europaväg", "motortrafikled" ], "highway/trunk_link":[ "avfart", "Europaväg", "Anslutning, huvudväg", "Anslutning", "påfart", "huvudväg" ], "highway/turning_circle":[ "Vändplan", "vändplats", "Vändplats", "återvändsgata" ], "highway/turning_loop":[ "refug", "Vändslinga (refug)", "Vändslinga", "vändlop", "vändplats" ], "highway/unclassified":[ "mindre väg", "Mindre/oklassificerad väg", "övrig väg", "Oklassificerad väg", "industrigata", "enskild väg", "skogsväg", "liten väg", "industriväg" ], "historic":[ "Historisk plats", "historia", "arv", "historik" ], "historic/archaeological_site":[ "historia", "utgrävning", "Arkeologisk plats", "ruin", "arkeologi", "historisk plats" ], "historic/boundary_stone":[ "Gränsmärke", "Gränssten", "milsten", "råmärke", "gränsröse" ], "historic/castle":[ "Slott", "herrsäte", "fästning", "borg", "palats", "resident" ], "historic/memorial":[ "Minnesmärke", "monument", "minnessten", "minnestavla" ], "historic/monument":[ "Monument", "Minnesmärke", "monument" ], "historic/ruins":[ "husras", "rest", "ödehus", "Ruiner", "lämning", "Ruin", "förfallen byggnad" ], "historic/tomb":[ "Grav", "gravhög", "Mausoleum", "krigsgrav", "pyramid", "klippgrav", "katakomb", "massgrav", "Sarkofag", "krypta", "gravvalv" ], "historic/wayside_cross":[ "kors vid väg", "Kors vid väg", "Vägkors", "pilgrim", "krucifix" ], "historic/wayside_shrine":[ "helgedom", "Helgedom längs väg", "Helgedom vid väg", "helgedom vid väg", "pilgrim" ], "junction":[ "vägkorsningar", "trafikplats", "gatukorsning", "Korsning", "vägkors", "stoppsignal", "järnvägskorsning", "trafiksignal", "stoppskylt", "korsning", "cirkulationsplats", "trafikkorsning", "övergångsställe", "rondell" ], "landuse":[ "Markanvändning", "användningsområde", "landanvändning" ], "landuse/allotments":[ "odlingslott", "lott", "koloniträdgård", "koloniområde", "Kolonilott", "Koloniområde", "täppa" ], "landuse/aquaculture":[ "Fiskodling", "alger", "musselodling", "pärlodling", "vattenbruk", "Akvakultur", "akvakultur", "skaldjur", "Ostronodling", "vattenväxter", "räkor", "fisk", "utplantering av fisk" ], "landuse/basin":[ "infiltrering", "dagvatten", "bassäng", "Avrinningsområde", "avrinning", "dagvattenbassäng", "avrinningsområde", "infiltration" ], "landuse/brownfield":[ "Brownfield", "rivningstomt", "byggtomt", "rivet", "förorenat", "industri", "Industriområde", "Övergivet industriområde (Brownfield)", "övergivet", "ödetomt" ], "landuse/cemetery":[ "gravfält", "grav", "griftegård", "Gravfällt", "begravningsplats", "Kyrkogård" ], "landuse/churchyard":[ "religiös", "religiöst område", "gravkapell", "kyrkområde", "kyrka", "Kyrkogård (utan gravar)", "kristen", "begravningskapell", "Kyrkogård", "andligt område", "kristendom", "religion" ], "landuse/commercial":[ "Kommersiell", "shoppingområde", "handelsområde", "handel", "Kommersiell område", "kommersiellt", "butiksområde", "affärsområde" ], "landuse/construction":[ "Byggarbetsplats", "bygge", "byggarbete", "byggnadsplats", "byggnation", "Byggnad under uppförande", "Byggnad under konstruktion" ], "landuse/farm":[ "Åkermark" ], "landuse/farmland":[ "åkerfält", "lantbruk", "gärde", "inäga", "odlingsfält", "Åker", "åkerlapp", "åkerjord", "Åkermark", "odling", "fält", "teg", "åkermark" ], "landuse/farmyard":[ "lantbruk", "gård", "jordbruk", "lantegendom", "Bondgård", "lantgård" ], "landuse/forest":[ "dunge", "skogsvård", "skogsområde", "Skog (brukad)", "Skog", "skogstrakt", "träd", "skogsdunge", "lund", "skogsplantering" ], "landuse/garages":[ "parking", "kallgarage", "Garageområde", "bilskjul", "garage", "varmgarage", "bilstall", "bilplatser", "carport" ], "landuse/grass":[ "refug", "mittremsa", "Gräs", "klippt gräs", "rondell" ], "landuse/greenfield":[ "Greenfield", "framtid", "Planerad byggnation", "urbanisering", "planerad byggnation" ], "landuse/greenhouse_horticulture":[ "vinterträdgård", "trädgårdsodling", "driveri", "blomsterhus", "orangeri", "odlingshus", "blomma", "växthus", "drivhus", "Växthus för trädgårdsväxter", "växtodling" ], "landuse/harbour":[ "båt", "kaj", "båtterminal", "båtplats", "Hamn", "marin" ], "landuse/industrial":[ "fabriksområde", "Industriområde", "fabriksdistrikt", "industricentrum" ], "landuse/industrial/scrap_yard":[ "metall", "metallskräp", "skräp", "bil", "fordon", "bärgning", "Skrotupplag", "vrak", "metallavfall", "metallåtervinning", "Bilskrot", "skrotningsanläggning", "bildemontering", "skrot", "metallskrot", "skrotupplag" ], "landuse/industrial/slaughterhouse":[ "Slaktare", "slakteri", "ko", "gris", "fläsk", "fjäderfän", "styckning", "slaktare", "styckare", "kalv", "slakt", "chark", "styckningsanläggning", "kyckling", "nötkött", "slakthus", "kött" ], "landuse/landfill":[ "avfallsanläggning", "tipp", "Soptipp", "avskrädeshög", "återvinningscentral" ], "landuse/meadow":[ "slåttermark", "Äng" ], "landuse/orchard":[ "fruktträd", "äppelträd", "fruktträdgård", "Fruktodling" ], "landuse/plant_nursery":[ "Plantskola", "handelsträdgård" ], "landuse/quarry":[ "stenbrytning", "täkt", "sand", "gruva", "utgrävning", "sandtäckt", "sandtag", "sten", "Stenbrott/Sandtag", "stenbrott" ], "landuse/railway":[ "spårväg", "Banområde", "spårkorridor", "tåg", "spårvagn", "järnvägsområde", "tågområde", "tågspår", "järnväg", "järnvägskorridor", "spår" ], "landuse/recreation_ground":[ "grönområde", "Rekreationsområde", "parkanläggning", "friluftsområde", "rekreationsområde", "parkområde", "trädgård", "Park" ], "landuse/religious":[ "helgedom", "tempelområde", "kyrka", "religiös anläggning", "vallfärgsplats", "kyrkogård", "Religiöst område", "kristen", "synagoga", "böneplats", "religion", "tempel", "tro", "religiös", "vallfärdsort", "gud", "dyrkan", "tillbedjan", "moské", "andligt område", "kristendom", "moske" ], "landuse/residential":[ "lägenhetsområde", "förort", "villaområde", "Bostadsområde", "miljonområde", "getto" ], "landuse/retail":[ "försäljningsområde", "försäljning", "shoppingområde", "handel", "handelsområde", "Detaljhandel", "shoppingcenter", "affärer", "affärsområde", "shopping" ], "landuse/vineyard":[ "druvor", "château", "vineri", "vinodling", "vin", "vindruvor", "vinframställning", "vinfält", "Vingård" ], "leisure":[ "Nöje", "fritid", "tidsfördriv", "förströelse", "Fritid", "ledighet" ], "leisure/adult_gaming_centre":[ "spelmaskiner", "spel", "flipper", "spelmaskin", "vuxenspel", "flipperspel", "Center för vuxenspel" ], "leisure/amusement_arcade":[ "spelhall", "pay-to-play-spel", "arkadmaskin", "flipperspel", "arkadspel", "Arkadhall", "spelhus", "arkadhall", "arkad", "spel", "flipper", "Spelkonsol", "körsimulatorer", "videospel" ], "leisure/beach_resort":[ "semesteranläggning", "turist", "Resort", "turism", "turistanläggning", "badort", "Strandresort", "rekreationsort", "semesterresort", "hotell", "strand", "kurort", "hotellanläggning" ], "leisure/bird_hide":[ "fågelskådargömsel", "utsiktstorn", "fågeltorn", "fågelskådningstorn", "fågelskådare", "fågelskådartorn", "Torn/gömsle för fågelskådning", "Fågelskådning", "vilttorn" ], "leisure/bleachers":[ "bänk", "åskådarplats", "åskådare", "sittplats", "Läktare", "läktare", "publik", "sport" ], "leisure/bowling_alley":[ "kägelspel", "Bowlinghall", "kägelsport", "Bowlingbana", "bowlinghall", "bowling" ], "leisure/common":[ "fritt tillträde", "Allmänning", "öppet område", "allmän mark" ], "leisure/dance":[ "rotunda", "valls", "foxtrot", "folkets park", "bal", "salsa", "gammaldans", "Dansbana", "swing", "balsal", "tango", "danshus", "bugg", "jive" ], "leisure/dancing_school":[ "danskurs", "foxtrot", "vals", "gamaldans", "dans", "salsa", "swing", "tiodans", "tango", "dansutbildning", "Dansskola", "bugg", "jive" ], "leisure/dog_park":[ "hund", "rastgård", "Hundpark", "hundgård", "kennel", "hundrastgård" ], "leisure/firepit":[ "Eldstad", "lägereld", "eldning", "brasa", "campingbrasa", "lägerplats", "eldgrop", "grillplats", "grill", "grillning" ], "leisure/fitness_centre":[ "träning", "styrketräning", "gym", "träningslokal", "Fitnesscenter", "Gym / Fitnesscenter", "konditionsträning", "motionsinstitut", "styrketräningslokal" ], "leisure/fitness_centre/yoga":[ "Yoga studio", "Yogastudio", "meditation", "joga" ], "leisure/fitness_station":[ "träning", "motion", "fitness", "gym", "naturgym", "utegym", "träningsbana", "träningsspår", "Utomhusgym" ], "leisure/fitness_station/balance_beam":[ "träning", "motion", "Balansbom", "fitness", "Balansbom (träning)", "gym", "naturgym", "utegym", "balans", "Utomhusgym" ], "leisure/fitness_station/box":[ "hoppövning", "träning", "låda", "motion", "fitness", "Träningsplattform/trapsteg", "hopp", "plattform", "utomhusgym", "gym", "naturgym", "utegym" ], "leisure/fitness_station/horizontal_bar":[ "träning", "pullup", "hävräcke", "motion", "pull-up", "utomhusgym", "naturgym", "utegym", "räck", "bar", "pull up", "Räckhäv", "Räck (träning)", "fitness", "gym" ], "leisure/fitness_station/horizontal_ladder":[ "träna", "träning", "pullup", "motion", "stege", "utomhusgym", "naturgym", "utegym", "räck", "pull up", "bar", "Monkey Bars", "fitness", "gym", "Armgång" ], "leisure/fitness_station/hyperextension":[ "träna", "Hyperextension", "träning", "motion", "utomhusgym", "naturgym", "utegym", "Ryggsträckare", "rygg", "fitness", "gym", "Roman Chair", "rygglyft" ], "leisure/fitness_station/parallel_bars":[ "träna", "Barrpress", "barr", "träning", "motion", "fitness", "Dips", "utomhusgym", "gym", "naturgym", "utegym" ], "leisure/fitness_station/push-up":[ "träna", "pushup", "träning", "Armhävningsstation", "push up", "motion", "fitness", "utomhusgym", "armhävning", "gym", "naturgym", "utegym" ], "leisure/fitness_station/rings":[ "träna", "träning", "ringar", "pullup", "motion", "pull-up", "utomhusgym", "Ringar", "naturgym", "utegym", "pull up", "fitness", "gym" ], "leisure/fitness_station/sign":[ "träna", "träning", "motion", "fitness", "utomhusgym", "gym", "instruktionsskylt", "naturgym", "utegym", "Träningsinstruktioner", "skylt" ], "leisure/fitness_station/sit-up":[ "träna", "crunch", "träning", "motion", "sit up", "utomhusgym", "naturgym", "utegym", "sit-up", "Sit-up-ramp. situp-ramp", "fitness", "Situp-ramp", "gym", "situp" ], "leisure/fitness_station/stairs":[ "träna", "trappor", "träning", "hoppövning", "motion", "utomhusgym", "naturgym", "utegym", "step up", "trapp", "steg", "fitness", "hopp", "trappa", "plattform", "Träningstrappa", "gym" ], "leisure/garden":[ "odlingslott", "örtgård", "Trädgård", "botanisk trädgård", "botanik", "plantering", "zoologisk trädgård", "park", "botanisk" ], "leisure/golf_course":[ "golf", "golfcenter", "Golfbana", "golfanläggning" ], "leisure/hackerspace":[ "hackare", "projekt", "makerspace", "hackers", "lan", "Hackerspace", "hackerspace", "hacklab" ], "leisure/horse_riding":[ "rida", "ryttare", "Ridskola", "ridhus", "ridklubb", "ridning", "stall", "hästridning", "häst", "häst*" ], "leisure/ice_rink":[ "Skridskobana ", "hockey", "skridsko", "ishockeybana", "ishockey", "isrink", "Skridskobana", "ishall", "isbana", "skridskohall", "skridskoåkning", "konstisbana", "ishockeyhall", "curling" ], "leisure/marina":[ "småbåt", "båt", "småbåtshamn", "yacht", "segelbåt", "hamn", "fritidsbåt", "gästhamn", "Marina" ], "leisure/miniature_golf":[ "miniatyrgolf", "bangolf", "äventyrsgolf", "Minigolf" ], "leisure/nature_reserve":[ "reservat", "naturpark", "naturområde", "nationalpark", "Naturreservat", "naturreservat", "naturskyddsområde" ], "leisure/outdoor_seating":[ "ölträdgård", "al fresco", "servering", "beer garden", "utomhusmatsal", "restaurang", "Uteservering", "café", "bar", "utomhus", "terrass", "pub", "glassbar" ], "leisure/park":[ "grönområde", "oas", "nöjesträdgård", "stadsoas", "skog", "gräs", "skogsmark", "friluftsområde", "lund", "Park", "plaza", "gräsmatta", "lekplats", "esplanad", "rekreationsområde", "plantering", "trädgård", "park", "äng" ], "leisure/picnic_table":[ "Picknickbord", "bänk", "bord", "matbord", "utflyktsbord", "Picknick", "utebord" ], "leisure/pitch":[ "stadion", "fällt", "idrottsplan", "sportplats", "Idrottsplats", "arena", "plan", "idrottsanläggning" ], "leisure/pitch/american_football":[ "Amerikansk fotbollsplan", "Amerikansk fotboll", "football", "Plan för amerikansk fotboll" ], "leisure/pitch/baseball":[ "baseballplan", "Baseball", "Baseballplan", "baseball-plan" ], "leisure/pitch/basketball":[ "Basketplan", "basket", "korgboll" ], "leisure/pitch/beachvolleyball":[ "beachfotboll", "beachvolleyplan", "Beachvolleyboll", "Beachvolleyhall", "Beachvolleyplan", "beachhandboll", "beachvolley", "strandvolleyboll", "volleyboll", "Beachhall", "beachplan" ], "leisure/pitch/boules":[ "pétanque", "Boule", "Boule/Bocce-plan", "lyonnaise", "Bocce" ], "leisure/pitch/bowls":[ "Shortmat", "Bowls", "Bowlsplan" ], "leisure/pitch/cricket":[ "kricket", "Cricket", "Cricketplan", "kricketplan" ], "leisure/pitch/equestrian":[ "rida", "Ridskola", "trav", "ridhus", "ridklubb", "Ridområde", "ridning", "stall", "dressyr", "häst", "häst*", "galopp", "ryttare", "hästridning", "hästhoppning" ], "leisure/pitch/rugby_league":[ "rugby football", "rugby", "rugger", "rugbyplan", "Rugby League", "Rugby League-plan" ], "leisure/pitch/rugby_union":[ "Rugby Union-plan", "rugby football", "rugby", "rugger", "rugbyplan", "rugby union" ], "leisure/pitch/skateboard":[ "Skate Park", "skateboardramp", "halfpipe", "Skateboardpark", "skateboard" ], "leisure/pitch/soccer":[ "Fotboll", "fotbollsplan", "Fotbollsplan" ], "leisure/pitch/table_tennis":[ "ping pong", "pingis", "bordtennis", "pingpongbord", "Pingisbord", "Bordtennisbord", "pingpong" ], "leisure/pitch/tennis":[ "Tennisbana", "tennis", "tennisplan" ], "leisure/pitch/volleyball":[ "Volleybollplan", "beachvolleyboll", "volleyboll" ], "leisure/playground":[ "Lekplats", "lek", "lekområde", "klätterställning", "gunga", "lekpark" ], "leisure/resort":[ "semesteranläggning", "rekreationsort", "turist", "semesterresort", "hotell", "Resort", "kurort", "turism", "turistanläggning", "badort", "hotellanläggning" ], "leisure/running_track":[ "Kapplöpningsbana", "löpbana", "motionsspår", "Löparbana" ], "leisure/sauna":[ "kölna", "badstuga", "sauna", "Bastu" ], "leisure/slipway":[ "Stapelbädd", "sjösättning", "båtramp", "Sjösättningsplats", "staplar", "varv", "docka", "torrdocka", "fartygsdocka" ], "leisure/sports_centre":[ "idrottsplats", "träning", "sportanläggning", "idrottsplan", "motion", "träningsanläggning", "fitnes", "sportpalats", "Sportcenter", "idrottshall", "Sportcenter / -anläggning", "gym", "simhall", "sporthall", "idrottsanläggning" ], "leisure/sports_centre/swimming":[ "badhus", "simbassäng", "badhall", "simning", "Badanläggning", "pool", "tävlingssim", "simhall", "bassäng", "swimmingpool", "motionssim" ], "leisure/stadium":[ "Stadium", "arena" ], "leisure/swimming_pool":[ "Simbassäng", "simning", "pool", "bassäng", "swimmingpool", "simma" ], "leisure/track":[ "cykeltävling", "cykellopp", "kapplöpningsbana", "travbana", "Tävlingsbana (Icke motorsport)", "hundkapplöpning", "Tävlingsbana", "löpbana", "galoppbana", "hästkapplöpning", "löpning" ], "leisure/water_park":[ "vattenland", "Äventyrsbad / Vattenpark", "vattenlekpark", "Äventyrsbad", "Vattenpark" ], "line":[ "utsträckning", "sträcka", "streck", "Linje" ], "man_made":[ "artificiell", "Människoskapat", "Människoskapad", "syntetisk", "konstgjort", "onaturlig" ], "man_made/adit":[ "gruvhål", "Stollen", "gruvingång", "stoll", "gruva", "gruvgång", "horisontell gruvgång", "Horisontell gruvgång (Stoll)", "lichtloch", "dagort", "sidoort" ], "man_made/antenna":[ "mobil", "Antenn", "mobilmast", "tv", "överföring", "mast", "sändning", "radiomast", "tv-mast", "kommunikation", "radio" ], "man_made/breakwater":[ "fördämning", "hamnarm", "Vågbrytare", "pir", "vågskydd", "hamnpir" ], "man_made/bridge":[ "fällbro", "akvedukt", "övergång", "vridbro", "viadukt", "vägport", "överfart", "förbindelse", "spång", "bro", "Bro" ], "man_made/chimney":[ "Skorsten", "rökgång", "skorsten" ], "man_made/clearcut":[ "föryngringsavverkning", "skog", "hygge", "trä", "träd", "kalhygge", "Kalhygge", "timmer", "avverkning", "föryngringsyta", "avskogning", "Slutavverkning", "skövlat skogsområde", "avverkningsområde" ], "man_made/crane":[ "Kran", "vinsch", "travers", "lyftkran", "telfer" ], "man_made/cutline":[ "pipelinegata", "Snittlinje", "jaktgata", "skiljelinje", "skogssektion", "Snittlinje i skog", "pipeline", "rörgata", "gränslinje", "skogsområde", "brandgata", "skidspår", "domän", "gräns", "rågång" ], "man_made/embankment":[ "Vägbank" ], "man_made/flagpole":[ "Flaggstång", "flagga", "Flaggstolpe" ], "man_made/gasometer":[ "Gasklocka", "gasbehållare", "gasometer", "gascistern", "gas", "cistern", "stadsgas", "naturgas" ], "man_made/groyne":[ "Hövd, vågbrytare vinkelrätt mot kusten", "vågbrytare", "pir", "erosion", "hövd", "erosionsskydd" ], "man_made/lighthouse":[ "fyrtorn", "fyrskepp", "Fyr" ], "man_made/mast":[ "mobiltelefon torn", "mobilmast", "stagas torn", "överföringsmast", "antennbärare", "mobiltelefonmast", "radiomast", "sändarmast", "Mast", "antenn", "sändarstation", "slavsändare", "kommunikationsmast", "tv-mast", "tv-torn", "kommunikationstorn", "överföringstorn" ], "man_made/monitoring_station":[ "Seismolog", "vattennivå", "radon", "väderstation", "trafik", "väder", "luftkvalitet", "observation", "övervakningsstation", "observationsrör", "Mätstation", "luftkvalité", "gps", "jordbävning", "trafikmätning", "seismologi", "luftmätning", "mätning", "ljud" ], "man_made/observation":[ "utsiktstorn", "observationstorn", "utsiktspost", "observationspost", "Utkikstorn", "brandtorn" ], "man_made/observatory":[ "astronomisk", "astronom", "Observatorium", "meteorologisk", "rymd", "teleskop" ], "man_made/petroleum_well":[ "olja", "oljetorn", "Oljeborrning", "Oljeborr", "oljepump", "petroleum" ], "man_made/pier":[ "hamnarm", "vågbrytare", "kaj", "Pir", "hamnpir" ], "man_made/pipeline":[ "ledning", "oljeledning", "avloppsledning", "vattenledning", "rörledning", "Pipeline" ], "man_made/pumping_station":[ "vattenpump", "avloppspump", "Pumpstation", "oljepump", "spillvattenspump", "pump", "dräneringspump", "pumpaggregat" ], "man_made/silo":[ "spannmålssilo", "spannmål", "fodersilo", "Silo", "spannmålslagring" ], "man_made/storage_tank":[ "reservoar", "Lagringstank", "vattentorn", "cistern", "tank" ], "man_made/surveillance":[ "övervakningsutrustning", "bevakningskamera", "bevakning", "övervakningskamera", "Övervakning", "kamera" ], "man_made/surveillance_camera":[ "ANPR", "registreringsskylt", "webbkamera", "ALPR", "vakt", "säkerhetskamera", "övervakning", "Övervakningskamera", "video", "kamera", "CCTV", "säkerhet" ], "man_made/survey_point":[ "fixpunkt", "Trianguleringspunkt", "triangulering", "kartritning" ], "man_made/tower":[ "Torn", "torn", "radiotorn" ], "man_made/wastewater_plant":[ "reningsverk", "avloppsverk", "vattenreningsverk", "Avloppsreningsverk", "vattenrening", "avlopp" ], "man_made/water_tower":[ "vattenreservoar", "Vattentorn", "vatten" ], "man_made/water_well":[ "Brunn", "källa", "vattenbrunn", "grundvatten", "vattenhål" ], "man_made/water_works":[ "vattenreningsanläggning", "vattenreningsverk", "vatten", "Vattenverk", "vattenanläggning" ], "man_made/watermill":[ "vattenmölla", "kvarnhjul", "kvarn", "Vattenkvarn", "mölla", "skovelhjul", "skvalta", "skvaltkvarn" ], "man_made/windmill":[ "Väderkvarn", "vindmölla", "kvarn", "mölla", "vädemölle", "vindkraft" ], "man_made/works":[ "fabriksbyggnad", "bil", "bearbetningsanläggning", "montering", "monteringsanläggning", "fabrikstillverkning", "verkstad", "Fabrik", "raffinaderi", "oljeraffinaderi", "tillverkning", "plast", "industri", "möbeltillverkning", "bryggeri", "bearbetning" ], "manhole":[ "Brunnslock", "dagvatten", "telefoni", "dagvattenbrunn", "manhålslucka", "Rensbrunn", "Gatubrunn", "manlucka", "avlopp", "telekom", "Brandpost", "a-brunn", "avloppsbrunn", "brunn", "manhål" ], "manhole/drain":[ "dagvattenbrunn", "smältvatten", "avloppsvatten", "regnvatten", "regn", "avlopp", "Dagvattenbrunn", "Dagvatten", "dagbrunn", "spillvatten", "dränering", "avrinning", "avloppsbrunn" ], "manhole/telecom":[ "telekom", "Brunnslock", "tele-brunn", "gatubrunn", "Manhålslucka för telekom", "telefoni", "manhålslucka", "manlucka", "tele", "brunn", "manhål" ], "natural":[ "natur", "Naturligt", "naturanvändning", "naturlig", "geologi", "Naturlig", "skyddsområde" ], "natural/bare_rock":[ "Kala klippor ", "klippor", "berghäll", "häll", "kala klippor" ], "natural/bay":[ "bukt", "Vik" ], "natural/beach":[ "strandlinje", "badstrand", "flodstrand", "sandstrand", "badställe", "Strand", "grusstrand", "badplats" ], "natural/cave_entrance":[ "grotta", "bergrum", "berghåla", "Grottingång", "bergsöppning", "grotthål", "grottöppning", "grottsystem" ], "natural/cliff":[ "klippa", "klippavsats", "Klippa", "terrass", "stup", "platå", "brant", "bergskam" ], "natural/coastline":[ "strand", "kustlinje", "kustremsa", "ö", "kust", "Kustlinje", "hav" ], "natural/fell":[ "fjällandskap", "trädgräns", "högfjäll", "Fjäll" ], "natural/glacier":[ "landis", "jökel", "gletscher", "ismassa", "Glaciär" ], "natural/grassland":[ "Grässlätt", "gräsfällt", "äng" ], "natural/heath":[ "tundra", "slätt", "alvar", "hed", "kalmark", "Hed", "slättmark", "gräs", "äng", "stäpp" ], "natural/mud":[ "sörja", "sankmark och sumpmark", "dy", "våtmark", "gegga", "gyttja", "Lera", "lerigt" ], "natural/peak":[ "kulle", "höjdpunkt", "alp", "berg", "hjässa", "klint", "Bergstopp", "kalott", "höjd", "klätt", "topp", "klack" ], "natural/reef":[ "grund", "rev", "Sandbank", "Rev", "sandbank", "undervattensgrund", "sandrev", "sand", "undervattensskär", "bank", "korall", "barriär", "hav", "revel", "korallrev" ], "natural/ridge":[ "kulle", "horst", "kam", "berg", "höjd", "högland", "bergsområde", "krön", "ås", "bergsrygg", "Ås" ], "natural/saddle":[ "Bergskam", "bergskrön", "berg", "dal", "dalgång" ], "natural/sand":[ "Sand", "strand", "öken" ], "natural/scree":[ "röse", "lösa block", "stenanhopning", "Stensamling", "block", "stenras", "Taluskon" ], "natural/scrub":[ "busksnår", "sly", "Buskskog", "snår" ], "natural/spring":[ "källsprång", "springflöde", "Källa", "källåder", "källa", "vattenställe", "källdrag", "källflöde", "vattenhål" ], "natural/tree":[ "lövträd", "ek", "trä", "träd", "barrträd", "gran", "Träd", "stam", "stock", "trädstam", "björk" ], "natural/tree_row":[ "Träallé", "trädrad", "boulevard", "allé", "aveny", "trädkantad väg", "lövgång", "esplanad" ], "natural/volcano":[ "lava", "berg", "vulkankrater", "magma", "krater", "Vulkan" ], "natural/water":[ "vattensamling", "damm", "reservoar", "Vatten", "göl", "tjärn", "vatten", "sjö" ], "natural/water/lake":[ "insjö", "vattensamling", "lagun", "pöl", "tjärn", "göl", "vatten", "Sjö", "innanhav" ], "natural/water/pond":[ "damm", "kvarndamm", "Tjärn", "liten sjö", "tjärn", "göl" ], "natural/water/reservoir":[ "fördämning", "Reservoar", "damm", "reservoar", "tank" ], "natural/wetland":[ "Våtmark", "mad", "sump", "moras", "sankmark", "myr", "mosse", "träsk", "torvmark", "kärr", "sumpmark" ], "natural/wood":[ "vildmark", "skog", "Urskog", "bush", "regnskog", "träd", "djungel", "Skog (utan skogsbruk)" ], "noexit/yes":[ "vägslut", "Återvändsgata", "blindgata återvändsgata", "Återvändsgränd" ], "office":[ "tjänsteman", "byrå", "tjänstemän", "Kontor", "expedition", "tjänster" ], "office/accountant":[ "bokhållare", "bokföring", "tjänsteman", "Bokhållare", "kontorist", "räkenskap", "Redovisningsekonom" ], "office/administrative":[ "Lokal myndighet" ], "office/adoption_agency":[ "adoptering", "Adoptionsbyrå", "barnupptagande", "Adoption", "adoptera" ], "office/advertising_agency":[ "Reklambyrå", "annons", "annonsbyrå", "reklam", "marknadsföring", "annonsering" ], "office/architect":[ "ritningar", "byggnadskonstnär", "Arkitektbyrå", "arkitektkontor", "byggnadskonst", "Arkitekt" ], "office/association":[ "Frivilligorganisation", "ideell", "förening", "volontär", "organisation", "frivilligarbetare", "samhälle", "icke vinstdrivande", "Frivillig", "biståndsarbetare" ], "office/charity":[ "Välgörenhet", "biståndsorganisation", "hjälpverksamhet", "Välgörenhetsorganisation", "bistånd" ], "office/company":[ "expedition", "kontor", "Företagskontor", "kundmottagning", "företag" ], "office/coworking":[ "distansarbete", "mötesrum", "kontor", "lånekontor", "Dagkontor", "affärslounger", "tillfällig arbetsplats", "Coworking", "Kontorsplats", "kontorsarbetsplats", "tillfälligt kontor", "fjärrarbetsplats", "konferensrum" ], "office/educational_institution":[ "rektorsexpedition", "skolledning", "rektor", "skolexpedition", "Utbildningskontor", "expedition" ], "office/employment_agency":[ "förmedling", "Arbetsförmedling", "arbetsförmedlingen", "jobb", "arbetssökande", "arbetslös" ], "office/energy_supplier":[ "ström", "el", "gas", "Elbolag", "Energibolag", "energi" ], "office/estate_agent":[ "fastighet", "husförmedling", "mäklare", "Bostadsförmedling", "fastighetsmäklare", "fastighetsuthyrning", "fastighetsförmedling", "Mäklare/bostadsförmedling", "egendom", "bostadsuthyrning", "mark", "kontorsuthyrning" ], "office/financial":[ "finans", "bank", "Bankkontor", "ekonomisk", "ekonomi", "finanskontor" ], "office/forestry":[ "skog", "Skogsbolag", "skogsvaktare" ], "office/foundation":[ "Stiftelse", "donation", "fond" ], "office/government":[ "myndighetskontor", "statlig myndighet", "Myndighet" ], "office/government/register_office":[ "stadshus", "inskrivningskontor", "Folkbokföring", "registreringskontor", "Skattemyndigheten", "mantalslängder", "registrerade enhet", "Registreringsbyrå", "borgerlig vigsel" ], "office/government/tax":[ "Skattekontor", "skattemyndigheten", "myndighet", "skatt" ], "office/guide":[ "Turistguide", "Guidekontor", "Fjällguide", "Rundtur", "Dykguide", "guide" ], "office/insurance":[ "försäkringar", "försäkringsförmedling", "Försäkringskontor" ], "office/it":[ "mjukvaruutveckling", "hårdvara", "it-specialist", "IT-kontor", "it", "datorer", "program", "datorspecialist", "datakonsult", "konsultkontor", "programmering", "datorkonsult", "dator", "systemutveckling", "mjukvara", "konsult" ], "office/lawyer":[ "advokat", "juridiskt ombud", "jurist", "lagman", "rättsombud", "ombud", "Advokatkontor", "försvarare" ], "office/lawyer/notary":[ "Notariekontor" ], "office/moving_company":[ "flytt", "flyttlass", "Flyttfirma", "bärare", "flyttning", "transport", "flyttkarl" ], "office/newspaper":[ "redaktion", "utgivare", "nyhetsredaktion", "tidning", "Tidningsredaktion", "tidningslokal", "magasin", "tidskrift" ], "office/ngo":[ "frivillig", "ideell förening", "frivilligorganisation", "intresseorganisation", "ideell", "förening", "icke-kommersiell", "organisation", "hjälporganisation", "fackförening", "Icke-statlig organisation" ], "office/notary":[ "Notarie", "arv", "avtal", "värdehandlningar", "bevittna", "egendom", "fullmakt", "handlingar", "Notarius", "testamente", "namnteckning", "dödsbo", "Notariekontor", "underskrift", "signatur", "Notarius publicus", "kontrakt", "påskrift" ], "office/physician":[ "Läkare" ], "office/political_party":[ "Politiskt parti", "politik", "parti" ], "office/private_investigator":[ "detektiv", "deckare", "Privatdetektiv" ], "office/quango":[ "Kvasiautonom icke-statlig organisation", "kvasi", "organisation", "Kvasiautonom", "icke-statlig", "Quango" ], "office/research":[ "efterforskning", "undersökning", "forskning", "utveckling", "vetenskapligt studium", "vetenskapligt arbete", "Forskning och utveckling", "research" ], "office/surveyor":[ "riskbedömare", "riskbedömning", "Undersökning", "Undersökning/inspektion", "inspektion", "stickprovsundersökning", "statistik", "enkät", "lantmätare", "opinionsundersökning", "skadebedömare", "skadebedömning", "lantmäteri", "mätning" ], "office/tax_advisor":[ "ekonomirådgivning", "Skatterådgivning", "skattekonsultation", "skatteplanering", "moms", "ekonomi", "konsultation", "skatt" ], "office/telecommunication":[ "mobiltelefon", "mobiltelefoni", "surfning", "internetcafé", "telefoni", "telefon", "Telekom", "telefoner", "surfcafé mobil", "internet" ], "office/therapist":[ "Radioterapi", "beteendeterapi", "Psykoterapi", "Talterapi", "psykolog", "Språkterapi", "Psykoanalys", "Samtalsterapi", "psykologi", "behandling", "Kognitiv beteendeterapi", "Arbetsterapi", "cellgiftsbehandling", "sjukgymnast", "Kemoterapi", "Farmakoterapi", "Terapeut", "Familjeterapi", "behandlare", "psykoterapeut", "Röstterapi", "Beteendeterapi", "logoped", "terapi", "arbetsterapeut", "Sexterapi", "Kognitiv terapi", "Fysioterapi", "kbt" ], "office/travel_agent":[ "Resebyrå " ], "office/water_utility":[ "Dricksvatten", "Vattenleverantör", "vattenbolag" ], "piste":[ "längdskidspår", "skidor", "skida", "skidbacke", "utförsåkning", "längdskidåkning", "slalombacke", "skidspår", "skidbana", "Pist/skidspår", "pulka", "Pist", "snowboard", "skoter" ], "place":[ "Plats" ], "place/city":[ "stad", "metropol", "storstad", "världsstad", "huvudstad", "Större stad" ], "place/farm":[ "Gård" ], "place/hamlet":[ "småort", "gårdar", "By", "litet samhälle", "gårdssamling" ], "place/island":[ "holme", "klippa", "atoll", "rev", "skär", "ö", "kobbe", "Ö", "skärgård" ], "place/islet":[ "holme", "atoll", "grynna", "grund", "rev", "skär", "ö", "kobbe", "liten ö", "Holme", "havsklippa", "skärgård" ], "place/isolated_dwelling":[ "bosättning", "Isolerad boplats", "boplats" ], "place/locality":[ "läge", "lokalitet", "ställe", "trakt", "Plats", "obefolkad plats" ], "place/neighbourhood":[ "bostadsområde", "område", "närområde", "stadsdel", "Kvarter" ], "place/plot":[ "lott", "hustomt", "tomt", "privat", "skifte", "Tomt", "trädgård", "mark" ], "place/quarter":[ "Kvarter / Under-Borough", "område", "Under-Borough", "grannskap", "stadsdel", "Kvarter" ], "place/square":[ "plaza", "salutorg", "marknadsplats", "torg", "Torg", "publik yta", "stadstorg" ], "place/suburb":[ "kranskommun", "förort", "kommundelsnämnd", "Borough", "område", "stadsområde", "Förort / Borough", "förstad", "kommun", "grannskap", "stadsdel" ], "place/town":[ "ort", "stad", "Mellanstor stad", "samhälle" ], "place/village":[ "ort", "tätort", "Mindre samhälle" ], "playground/balance_beam":[ "Balansbom (lekplats)", "bom", "lek", "lekplats", "lekområde", "balansbom", "balans", "lekpark" ], "playground/basket_spinner":[ "karusell", "lek", "lekplats", "lekområde", "lekpark", "Korgkarusell" ], "playground/basket_swing":[ "lek", "lekplats", "lekområde", "gunga", "kompisgunga", "Korggunga", "korg", "fågelbogunga", "gungställning", "lekpark" ], "playground/climbing_frame":[ "Klätterställning", "klättring", "lek", "lekplats", "lekområde", "klättra", "lekpark" ], "playground/cushion":[ "Hoppkudde", "lek", "lekplats", "lekområde", "hoppkudde", "lekpark" ], "playground/horizontal_bar":[ "bar", "lek", "lekplats", "lekområde", "räck", "lekpark", "Räck (lekplats)" ], "playground/rocker":[ "Fjädergunga", "lek", "lekplats", "lekområde", "Gungdjur", "lekpark" ], "playground/roundabout":[ "karusell", "lek", "lekplats", "lekområde", "Karusell (lekplats)", "lekpark" ], "playground/sandpit":[ "sand", "Sandlåda", "lek", "sandlåda", "lekplats", "lekområde", "lekpark" ], "playground/seesaw":[ "lek", "gungbräda", "lekplats", "lekområde", "Gungbräda", "lekpark" ], "playground/slide":[ "lek", "lekplats", "lekområde", "Rutschkana", "rutschbana", "lekpark", "rutchelbana" ], "playground/structure":[ "lek", "lekplats", "lekområde", "Lekhus", "Lekslott", "lekhus", "lekstuga", "lekpark" ], "playground/swing":[ "lek", "Gunga", "lekplats", "lekområde", "Gungställning", "lekpark" ], "playground/zipwire":[ "lek", "lekplats", "lekområde", "Linbana (lekplats)", "linbana", "lekpark" ], "point":[ "läge", "fläck", "plats", "ställe", "Punkt" ], "power":[ "Elförsörjning" ], "power/generator":[ "strömtillverkning", "Elgenerator", "kraftgenerator", "kraftkälla", "generator" ], "power/generator/source_nuclear":[ "kärnanläggning", "kärnenergi", "kärnreaktor", "atomkraftverk", "kärnkraft", "kärnkraftvärk", "reaktor", "atomkraft", "Kärnkraftsreaktor", "nukleär energi", "kärnkraftverk", "atomenergi", "kärnkraftsanläggning" ], "power/generator/source_wind":[ "vindmölla", "Vindturbin", "vindkraftverk", "vindkraft" ], "power/line":[ "kraftledning", "högspänning", "elledning", "högspänningsledning", "Högspänningsledning" ], "power/minor_line":[ "Kraftledning", "elledning", "Mindre kraftledning" ], "power/plant":[ "el", "Kol", "generator", "kraft", "vind*", "elkraftverk", "vattenkraft*", "kärnkraft*", "Område för kraftproduktion", "elproduktion", "gas", "solkraft*", "kraftproduktion" ], "power/pole":[ "elledningsstolpe", "mast", "stolpe", "Kraftledningsstolpe", "kraftledningsmast", "elledningsmast" ], "power/sub_station":[ "Fördelningsstation" ], "power/substation":[ "elomvandling", "Fördelningsstation", "fördelningsstation", "stadsnätstation", "elskåp", "Transformator", "elfördelning" ], "power/switch":[ "Strömbrytare", "Frånskiljare" ], "power/tower":[ "mast", "Högspänningsmast", "kraftledningsstolpe", "kraftledningsmast" ], "power/transformer":[ "elomvandling", "nätstation", "Transformator" ], "public_transport/linear_platform":[ "Hållplats", "kollektivtrafik", "Plattform", "linjetrafik", "transport", "Hållplats / Plattform för kollektivtrafik" ], "public_transport/linear_platform_aerialway":[ "linbanestopp", "hållplats", "stopp", "Hållplats / Plattform för linbana", "linbaneterminal", "aerialway", "linbana", "terminal", "linjetrafik", "transport", "Linbanehållplats", "kollektivtrafik", "transit", "plattform", "linbaneplattform" ], "public_transport/linear_platform_bus":[ "busshållplats", "kollektivtrafik", "hållplats", "bussplattform", "Bussplattform", "transit", "plattform", "transport", "linjetrafik", "buss" ], "public_transport/linear_platform_ferry":[ "brygga", "stopp", "båthållplats", "Färjeterminal", "Färjestation", "färjestopp", "terminal", "linjetrafik", "transport", "färja", "båt", "färjeplattform", "kollektivtrafik", "båtterminal", "transit", "pir", "station", "plattform", "Färjehållplats", "Stop / plattform för färja", "båtstopp" ], "public_transport/linear_platform_light_rail":[ "Hållplats för snabbspårväg / stadsbana", "hållplats", "light rail", "spårvagnsplattform", "vagn", "stadsbana", "terminal", "transport", "Spårvägshållplats", "snabbspårväg", "spårväg", "kollektivtrafik", "spårvagnsterminal", "transit", "spårvagn", "plattform", "järnväg", "spår" ], "public_transport/linear_platform_monorail":[ "monorailstopp", "stopp", "Stopp / plattform för monorail", "enskensbana", "linjetrafik", "transport", "räls", "monorail", "monorailplattform", "kollektivtrafik", "plattform", "balkbana", "spår" ], "public_transport/linear_platform_subway":[ "Tunnelbaneplattform", "Tunnelbanestopp / -plattform", "kollektivtrafik", "metro", "plattform", "Tunnelbanestopp", "transport", "tunnelbana", "järnväg", "spår", "underjordisk" ], "public_transport/linear_platform_train":[ "järnvägsperrong", "stopp", "järnvägsplattform", "linjetrafik", "transport", "Järnvägsstopp / -perrong", "Perrong", "kollektivtrafik", "transit", "tåg", "plattform", "Tågstopp", "järnväg", "spår" ], "public_transport/linear_platform_tram":[ "hållplats", "spårvagnsplattform", "vagn", "Spårvagnshållplats / -plattform", "terminal", "transport", "Spårvägshållplats", "spårväg", "kollektivtrafik", "spårvagnsterminal", "transit", "spårvagn", "plattform", "spårvagnshållplats", "järnväg" ], "public_transport/linear_platform_trolleybus":[ "Busshållplats", "hållplats", "spårlös", "vagn", "transport", "trådbuss", "kollektivtrafik", "bussplattform", "transit", "spårvagn", "Busshållplats / plattform för trådbuss", "plattform", "buss" ], "public_transport/platform":[ "väntplats", "avsats", "Plattform", "påstigningsplats", "perrong", "Stopp / Plattform för kollektivtrafik" ], "public_transport/platform_aerialway":[ "linbanestopp", "hållplats", "stopp", "Hållplats / Plattform för linbana", "linbaneterminal", "aerialway", "linbana", "terminal", "linjetrafik", "transport", "Linbanehållplats", "kollektivtrafik", "transit", "plattform", "linbaneplattform" ], "public_transport/platform_bus":[ "busshållplats", "kollektivtrafik", "hållplats", "bussplattform", "transit", "plattform", "transport", "linjetrafik", "Busshållplats / Bussplattform", "buss" ], "public_transport/platform_ferry":[ "brygga", "stopp", "båthållplats", "Färjeterminal", "Färjestation", "färjestopp", "terminal", "linjetrafik", "transport", "färja", "båt", "färjeplattform", "kollektivtrafik", "båtterminal", "transit", "pir", "station", "plattform", "Färjehållplats", "Stop / plattform för färja", "båtstopp" ], "public_transport/platform_light_rail":[ "Hållplats för snabbspårväg / stadsbana", "hållplats", "light rail", "spårvagnsplattform", "vagn", "stadsbana", "terminal", "transport", "Spårvägshållplats", "snabbspårväg", "spårväg", "kollektivtrafik", "spårvagnsterminal", "transit", "spårvagn", "plattform", "järnväg", "spår" ], "public_transport/platform_monorail":[ "monorailstopp", "stopp", "Stopp / plattform för monorail", "enskensbana", "linjetrafik", "transport", "räls", "monorail", "monorailplattform", "kollektivtrafik", "plattform", "balkbana", "spår" ], "public_transport/platform_subway":[ "Tunnelbaneplattform", "Tunnelbanestopp / -plattform", "kollektivtrafik", "metro", "plattform", "Tunnelbanestopp", "transport", "tunnelbana", "järnväg", "spår", "underjordisk" ], "public_transport/platform_train":[ "järnvägsperrong", "stopp", "järnvägsplattform", "linjetrafik", "transport", "Järnvägsstopp / -perrong", "Perrong", "kollektivtrafik", "transit", "tåg", "plattform", "Tågstopp", "järnväg", "spår" ], "public_transport/platform_tram":[ "hållplats", "spårvagnsplattform", "vagn", "Spårvagnshållplats / -plattform", "terminal", "transport", "Spårvägshållplats", "spårväg", "kollektivtrafik", "spårvagnsterminal", "transit", "spårvagn", "plattform", "spårvagnshållplats", "järnväg" ], "public_transport/platform_trolleybus":[ "Busshållplats", "hållplats", "spårlös", "vagn", "transport", "trådbuss", "kollektivtrafik", "bussplattform", "transit", "spårvagn", "Busshållplats / plattform för trådbuss", "plattform", "buss" ], "public_transport/station":[ "kollektivtrafik", "Station för kollektivtrafik", "bytespunkt", "station", "resecenter", "terminal", "transport" ], "public_transport/station_aerialway":[ "kollektivtrafik", "transit", "Linbanestation", "station", "aerialway", "linbana", "terminal", "transport" ], "public_transport/station_bus":[ "Busshållplats", "kollektivtrafik", "transit", "station", "resecenter", "Bussterminal", "reseterminal", "terminal", "transport", "Busstation / Bussterminal", "Busstation", "buss" ], "public_transport/station_ferry":[ "brygga", "Färjeterminal", "båthållplats", "Färjestation", "terminal", "transport", "färja", "båt", "kollektivtrafik", "Färjeterminal / Färjehållplats / Färjestation", "båtterminal", "transit", "pir", "station", "Färjehållplats" ], "public_transport/station_light_rail":[ "light rail", "lättbana", "hållplats", "stadsbana", "spårvagnstopp", "Station för snabbspårväg / stadsbana", "transport", "linjetrafik", "terminal", "snabbspårväg", "spårväg", "kollektivtrafik", "spårvagnsterminal", "Station för snabbspårväg", "spårvagn", "station", "spårvagnshållplats", "Station för light rail", "järnväg", "spår" ], "public_transport/station_monorail":[ "enskensbana", "terminal", "linjetrafik", "transport", "monorailstation", "räls", "monorail", "kollektivtrafik", "station", "plattform", "Monorailstation", "spår", "balkbana" ], "public_transport/station_subway":[ "", "kollektivtrafik", "metro", "station", "transport", "terminal", "tunnelbana", "järnväg", "spår", "underjordisk", "Tunnelbanestation" ], "public_transport/station_train":[ "linjeplats", "trafikplats", "central", "tåghållplats", "hållplats", "Järnvägsstation", "järnvägshållplats", "centralstation", "huvudbangård", "hållställe", "tågstation" ], "public_transport/station_train_halt":[ "hållplats", "hållställe", "transport", "avstigning", "Mindre järnvägshållplats", "kollektivtrafik", "järnvägshållplats", "påstigning", "transit", "tåg", "station", "plattform", "järnvägsstation", "järnväg", "spår" ], "public_transport/station_tram":[ "spårväg", "Spårvagnsstation", "spårvagnsterminal", "spårvagn", "station", "spårvägshållplats" ], "public_transport/station_trolleybus":[ "busshållplats", "hållplats", "terminal", "linjetrafik", "transport", "Station / Terminal för trådbuss", "trådbussterminal", "trådbuss", "trådbusstopp", "kollektivtrafik", "bussterminal", "station", "busstopp", "trådbusshållplats", "buss" ], "public_transport/stop_area":[ "kollektivtrafik", "hållplats", "bytespunkt", "transit", "byte", "station", "knutpunkt", "resecenter", "terminal", "linjetrafik", "transport", "Bytespunkt / knutpunkt" ], "public_transport/stop_position":[ "stopposition", "kollektivtrafik", "hållplats", "Stopposition för kollektivtrafik", "linjetrafik", "transport" ], "public_transport/stop_position_aerialway":[ "Stopposition för linbana", "stopposition", "linbanestation", "linbanestopp", "kollektivtrafik", "hållplats", "linbaneterminal", "linbana", "linjetrafik", "transport", "linbanehållplats" ], "public_transport/stop_position_bus":[ "stopposition", "busshållplats", "kollektivtrafik", "hållplats", "bussterminal", "busstopp", "linjetrafik", "transport", "buss", "Stopposition för buss" ], "public_transport/stop_position_ferry":[ "båt", "stopposition", "busshållplats", "kollektivtrafik", "hållplats", "bussterminal", "busstopp", "linjetrafik", "transport", "Stopposition för färja", "färja" ], "public_transport/stop_position_light_rail":[ "stopposition", "light rail", "lättbana", "hållplats", "stadsbana", "spårvagnstopp", "transport", "linjetrafik", "snabbspårväg", "spårväg", "kollektivtrafik", "spårvagnsterminal", "spårvagn", "Stopposition för snabbspårväg / stadsbana", "spårvagnshållplats", "Stopposition för snabbspårväg", "järnväg", "spår" ], "public_transport/stop_position_monorail":[ "stopposition", "kollektivtrafik", "hållplats", "Stopposition för monorail", "enskensbana", "linjetrafik", "transport", "balkbana", "spår", "räls", "monorail" ], "public_transport/stop_position_subway":[ "tunnelbanetåg", "stopposition", "tunnelbanestation", "kollektivtrafik", "hållplats", "tunnelbanestopp", "linjetrafik", "transport", "tunnelbana", "tunnelbanehållplats", "Stopposition för tunnelbana" ], "public_transport/stop_position_train":[ "tågterminal", "järnvägsstopp", "stopposition", "hållplats", "linjetrafik", "transport", "tågstopp", "kollektivtrafik", "järnvägshållplats", "tåg", "järnvägsterminal", "järnvägsstation", "Stopposition för tåg", "tågstation" ], "public_transport/stop_position_tram":[ "stopposition", "kollektivtrafik", "hållplats", "spårvagnsterminal", "Stopposition för spårvagn", "spårvagn", "spårvagnstopp", "spårvagnshållplats", "linjetrafik", "transport" ], "public_transport/stop_position_trolleybus":[ "stopposition", "busshållplats", "hållplats", "Stopposition för trådbuss", "linjetrafik", "transport", "trådbussterminal", "trådbuss", "trådbusstopp", "kollektivtrafik", "bussterminal", "busstopp", "trådbusshållplats", "buss" ], "railway":[ "Järnväg" ], "railway/abandoned":[ "borttagen järnväg", "Riven järnväg" ], "railway/buffer_stop":[ "Stoppbock", "Buffertstopp", "Buffert", "stoppblock" ], "railway/crossing":[ "spårpassage", "järnvägspassage", "cykelväg", "gångväg", "stig", "tågkorsning", "plankorsning", "tågövergång", "cykelpassage", "Järnvägskorsning (stig)", "gångpassage", "järnvägskorsning", "tågpassage", "korsning", "järnvägsövergång", "övergångsställe" ], "railway/derail":[ "utspårare", "Spårspärr", "omläggningsanordning" ], "railway/disused":[ "övergiven järnväg", "oanvänd tågbana", "övergiven tågbana", "Oanvänd järnväg" ], "railway/funicular":[ "Bergbana ", "linbana", "Bergbana" ], "railway/halt":[ "Mindre järnvägshållplats" ], "railway/level_crossing":[ "spårpassage", "järnvägspassage", "tågkorsning", "plankorsning", "tågövergång", "järnvägskorsning", "Järnvägskorsning (väg)", "tågpassage", "korsning", "järnvägsövergång" ], "railway/light_rail":[ "smalspår", "smalspårig järnväg", "Snabbspårväg / stadsbana", "stadsbana", "järnväg", "snabbspårväg" ], "railway/milestone":[ "Kilometerstolpe", "kilometertavla", "kilometerpåle", "milsten", "referenstavla", "Kilometerstolpe vid järnväg", "avståndsmärke" ], "railway/miniature":[ "smalspår", "smalspårig järnväg", "trädgårdsjärnväg", "Åkbar miniatyrjärnväg", "Miniatyrjärnväg" ], "railway/monorail":[ "Monorail", "kollektivtrafik", "enskensbana", "linjetrafik", "transport", "balkbana", "spår", "räls" ], "railway/narrow_gauge":[ "smalspår", "Smalspårbana" ], "railway/platform":[ "Järnvägsstopp / -perrong" ], "railway/rail":[ "Räls", "järnvägsspår", "spår", "bana" ], "railway/signal":[ "semafor", "huvudsignal", "järnvägssignal", "järnvägsljus", "försignal", "signal", "ljus", "Järnvägssignal", "dvärgsignal" ], "railway/station":[ "Järnvägsstation" ], "railway/subway":[ "T-bana", "metro", "Tunnelbana" ], "railway/subway_entrance":[ "Tunnelbaneingång", "t-banenedgång", "t-baneingång", "tunnelbanenergång" ], "railway/switch":[ "korsningsväxel", "järnvägskorsning", "växel", "Järnvägsväxel", "korsning" ], "railway/train_wash":[ "tvätthall", "Tågtvätt", "loktvätt" ], "railway/tram":[ "Spårvagn", "spårväg", "motorvagn" ], "railway/tram_stop":[ "Stopposition för spårvagn" ], "relation":[ "Relation", "samband", "relaterat", "koppling", "anknytning", "förbindelse", "förhållande", "kontext" ], "roundabout":[ "Rondell" ], "route/ferry":[ "färjelinje", "båtlinje", "båtrutt", "rutt", "Färjerutt", "färja", "båt i linjetrafik" ], "shop":[ "shop", "butik", "Affär" ], "shop/agrarian":[ "utsäde", "jordbruksmaskiner", "frön", "Jordbruksaffär", "gödsel", "djurmat", "gödningsmedel", "jordbruksverktyg", "lantmannaföreningen", "bekämpningsmedel", "jordbruksutrustning", "Jordbruk" ], "shop/alcohol":[ "spritaffär", "systemet", "öl", "systembolaget", "Vin-och-spritaffär", "bolaget", "vin- och spritaffär", "alkohol", "sprit", "vin- och sprit", "vin", "Vinaffär" ], "shop/anime":[ "animēshon", "Anime-affär", "Anime", "Josei", "Kodomo", "Shōjo", "manga", "mangastil", "shojo", "shoujo", "Shōnen" ], "shop/antiques":[ "antikvitetsaffär", "antikt", "Antikaffär", "antikshop", "antikvariat" ], "shop/appliance":[ "tvättmaskin", "vitvarukedja", "vitvaruaffär", "mikrovågsugn", "köksfläkt", "spis", "frys", "hushållsmaskin", "Vitvaror", "hushållsmaskiner", "kylskåp", "ugn", "vitvaror", "vitvara", "diskmaskin" ], "shop/art":[ "konstverk", "Konstaffär", "tavlor", "kulturer", "konst", "konsthandlare", "konstgalleri", "galleri", "statyer", "konstutställning" ], "shop/baby_goods":[ "Bäbis", "Babyprodukter", "småbarn", "nappflaskor", "nappar", "babykläder", "Baby", "barnkläder", "bäbiskläder", "barnvagnar", "spjälsängar", "blöjor" ], "shop/bag":[ "bagageväskor", "resväskor", "bagage", "handväska", "väskor", "Väskaffär", "plånbok", "handväskor" ], "shop/bakery":[ "bröd", "Bageri", "bullar", "baka", "bagare" ], "shop/bathroom_furnishing":[ "Badrumsinredning", "badrum" ], "shop/beauty":[ "Skönhetssalong", "nagelsalong", "spa", "skönhet", "kuranstalt", "smink", "salong", "kosmetik", "solarium", "shiatsu", "hälsoanläggning", "kurort", "naglar", "skönhetsbehandlingar", "massage" ], "shop/beauty/nails":[ "nagel", "nagelvård", "naglar", "manikur", "handvård", "händer", "manikyr", "Nagelsalong", "pedikyr", "hand", "manikyrist manikyrera" ], "shop/beauty/tanning":[ "solarium", "konstgjort solljus", "Solarium" ], "shop/bed":[ "madrasser", "Sängaffär", "sängar", "påslakan", "täcken", "lakan", "kuddar" ], "shop/beverages":[ "Dryck", "dricka", "läsk", "alkohol", "Dryckaffär", "läskedryck" ], "shop/bicycle":[ "cykelförsäljning", "Cykelaffär", "cykel", "cykelreparatör" ], "shop/bookmaker":[ "spel", "Stryktipset", "måltipset", "trav", "Vadslagning", "dobbel", "vadhållning" ], "shop/books":[ "Bokhandel", "antikvariat", "bokförsäljning" ], "shop/boutique":[ "smycken", "Boutique (Dyra kläder och accessoarer)", "finkläder", "Boutique", "modeaffär", "accessoarer", "klänningar", "kläder" ], "shop/butcher":[ "Slaktare", "köttaffär", "charkuterihandlare", "chark", "köttstyckare", "slaktare", "styckare", "kött", "charkuterist" ], "shop/candles":[ "värmeljus", "Ljusaffär", "mysljus", "ljusstakar", "ljus", "stearinljus" ], "shop/car":[ "bilfirma", "bilreparatör", "bilförsäljning", "bilverkstad", "bilsäljare", "Bilhandlare", "biltillbehör" ], "shop/car_parts":[ "Bildelar", "bilreservdelar", "motor", "Biltillbehör", "reservdelar", "biltillbehör" ], "shop/car_repair":[ "motor", "bilreparatör", "Bilverkstad", "verkstad" ], "shop/carpet":[ "matta", "Mattaffär", "mattor" ], "shop/charity":[ "myrorna", "begagnat", "secondhandbutik", "välgörenhetsbutik", "andrahandsbutik", "second hand", "secondhand", "second hand-butik", "begagnade varor", "bättre begagnat", "vintage", "Second hand-butik", "second handbutik", "välgörenhet" ], "shop/cheese":[ "ost", "ostar", "Ostaffär", "ostbutik" ], "shop/chemist":[ "hygienartiklar", "kosmetik", "kemi", "Kemiaffär", "städ", "rengöring", "smink", "hygien", "kosmetika", "städmaterial", "Kemiaffär (hygien, kosmetika & städ)", "rengöringsmedel" ], "shop/chocolate":[ "pralin", "konfekt", "Chokladaffär", "Choklad", "praliner" ], "shop/clothes":[ "klädbutik", "ekipering", "Klädaffär", "kläder" ], "shop/coffee":[ "kaffeaffär", "kaffepulver", "Kaffeaffär", "kaffeböner", "kaffebönor", "bryggkaffe", "kaffe" ], "shop/computer":[ "data", "dator", "datorförsäljning", "Datorbutik", "datorer", "datoraffär", "datorhårdvara", "datorprogram" ], "shop/confectionery":[ "konfektyr", "choklad", "sötsaker", "godisbutik", "godisaffär", "godis", "Godisaffär", "konfektbutik", "karameller" ], "shop/convenience":[ "livsmedelsbutik", "mataffär", "Närbutik", "kvartersbutik", "livsmedel" ], "shop/copyshop":[ "kopiering", "Tryckeri", "tryckeri", "Copyshop" ], "shop/cosmetics":[ "Sminkaffär", "smink", "kosmetika", "kosmetikaffär" ], "shop/craft":[ "konstverk", "hantverk", "Konsthantverk", "slöjd", "Konst- och hantverksbutik" ], "shop/curtain":[ "Gardinaffär", "drapera", "fönster", "draperier", "gardiner" ], "shop/dairy":[ "ost", "ägg", "mejeri", "mjölk", "mjölkaffär", "Mejeriaffär" ], "shop/deli":[ "lunch", "smörgås", "delikatess", "Delikatessaffär", "delikatesser", "finmat", "kött" ], "shop/department_store":[ "Varuhus", "affärshus" ], "shop/doityourself":[ "indie", "handverktyg", "heminredning", "elverktyg", "byggvaruhus", "inredning", "byggsatser", "verktyg", "byggsats", "Gör-det-själv", "gördetsjälv", "gör det själv", "Byggmarknad", "byggmaterial", "järnaffär", "bygghandel" ], "shop/dry_cleaning":[ "Kemtvättar", "Kemtvätt", "kemisk tvätt" ], "shop/e-cigarette":[ "elektrisk cigarett", "elcigarett", "Affär för elektroniska cigaretter", "e-cigarett" ], "shop/electronics":[ "spisar", "TV", "batterier", "tvättmaskin", "kablar", "datorer", "radio", "apparater", "dator", "hemelektronik", "kylskåp", "torktumlare", "Elektronikbutik", "vitvaror", "hushållsapparater", "ljud" ], "shop/erotic":[ "erotik", "sexaffär", "Sex", "sexleksaker", "sexshop", "porr", "pornografi", "porrfilmer", "Sexshop", "erotikaffär", "porrtidningar", "underkläder", "sexfilmer", "kondomer", "erotisk" ], "shop/fabric":[ "Tygaffär", "tyg", "tyger", "sy", "sömnad" ], "shop/farm":[ "närproducerat", "Gårdsbutik", "egenproducerat" ], "shop/fashion":[ "mode", "Modebutik", "modekläder", "klädaffär", "kläder" ], "shop/fishmonger":[ "Fiskhandlare" ], "shop/florist":[ "Florist", "bukett", "blomsterhandlare", "blommor", "blomsterbindare", "blomförsäljning" ], "shop/frame":[ "Ramaffär", "ramar", "inramning" ], "shop/funeral_directors":[ "gravsten", "bodelning", "begravning", "jordfästning", "gravsättning", "begravningsentreprenör", "Begravningsbyrå", "kremering", "begravningsbyrå", "gravstenar", "begravningsceremoni" ], "shop/furnace":[ "Värmepannor" ], "shop/furniture":[ "möbelgrossist", "bord", "hylla", "soffor", "inredning", "stol", "Möbelaffär", "stolar", "möbelvaruhus", "soffa" ], "shop/garden_centre":[ "krukväxter", "trädgårdsväxter", "jord", "Trädgårdscenter", "träd", "trädgårdsverktyg", "planteringsjord", "kompost", "blomkrukor", "blommor", "landskap", "plantskola", "buskar", "trädgård" ], "shop/gas":[ "gasbehållare", "lpg", "metangas", "gasflaskor", "propan", "Försäljning av gas", "naturgas", "gasol", "fordonsgas", "återfyllning", "gas", "cng", "gasolflaskor" ], "shop/gift":[ "gratulationskort", "souvenirbutik", "grattiskort", "presenter", "souvenirer", "gåva", "present", "Presentbutik", "gåvor", "souvenir" ], "shop/greengrocer":[ "frukt", "frukthandlare", "grönsaker", "frukthandel", "Grönsakshandlare", "vegetabiliskt" ], "shop/hairdresser":[ "hårkonstnär", "skägg", "skönhet", "skönhetssalong", "hårförlängning", "hårkreatör", "salong", "stylist", "hårklippning", "barberare", "rakning", "frisör", "hår", "hårtvätt", "hårfärgning", "Hårfrisör" ], "shop/hardware":[ "handverktyg", "nycklar", "spik", "järntillbehör", "hushållsprodukter", "redskap", "Järnaffär", "metallverktyg", "bultar", "bygg", "lås", "kök", "elverktyg", "badrum", "krokar", "el", "verktyg", "skruvar", "trädgårdsredskap", "nyckeltillverkning", "vvs", "järnhandlare", "bult", "järnbeslag", "köksutrustning", "skruv" ], "shop/health_food":[ "Hälsokostbutik", "kosttillskott", "hälsokost", "naturligt", "organisk", "köttersättning", "vegetarian", "vegan", "mjölkersättning", "hälsomat", "organist", "vitaminer" ], "shop/hearing_aids":[ "hörselskada", "Hörapparater", "hörselskadade", "hörsel", "hörhjälpmedel" ], "shop/herbalist":[ "läkande örter", "örter", "medicinalväxter", "Medicinalväxter" ], "shop/hifi":[ "HIFI-butik", "ljudåtergivning", "hifi", "förstärkare", "stereoanläggning", "högtalare", "HiFi-butik", "ljudanläggning", "stereo", "audio", "video", "ljud" ], "shop/houseware":[ "porslin", "hem", "köksredskap", "hushåll", "husgeråd", "bestick", "prydnadsföremål", "Husgeråd" ], "shop/interior_decoration":[ "Inredningsaffär", "inredning", "dekoration" ], "shop/jewelry":[ "pärla", "ringar", "Juvelerare", "ring", "klockor", "pärlor", "halsband", "diamant", "smycken", "guld", "klocka", "örhängen", "silver", "örhänge" ], "shop/kiosk":[ "glass", "gatukök", "läsk", "dryck", "tobak", "tidningar", "snus", "snabbmat", "butik", "godis", "korv", "Kiosk", "cigaretter" ], "shop/kitchen":[ "kök", "bänkskivor", "köksskåp", "skåpluckor", "Köksinredning" ], "shop/laundry":[ "Tvättinrättning", "tvättstuga", "tvättemat", "tvättautomat", "tvätteri" ], "shop/leather":[ "läder", "läderjackor", "läderkläder", "Läderaffär" ], "shop/locksmith":[ "Låsdyrkning", "dyrkning", "nyckel", "nyckelkopiering", "Låssmed", "lås", "låsinstallation", "nyckeltillverkning" ], "shop/lottery":[ "lottförsäljningen", "bingospel", "Lotteri", "lottstånd", "hasardspel", "hasard", "lottdragning", "tombola" ], "shop/mall":[ "Köpcenter", "shoppingcentrum", "köpcentrum", "köpcenter", "Varuhus", "shoppingcenter", "affärshus" ], "shop/massage":[ "massagebehandling", "thaimassage", "Massage" ], "shop/medical_supply":[ "medicinsk utrustning", "rullstol", "Bandage", "blodtrycksmätare", "Glucometer", "Träningsbollar", "Ortopedteknik", "hjälpmedel", "ledstöd", "glukometer", "Kryckor", "Medicinsk utrustning " ], "shop/mobile_phone":[ "mobiltelefon", "Mobiltelefoner", "mobiltelefoni", "telefon", "telefonbutik", "mobiltelefonbutik" ], "shop/money_lender":[ "utlåningsinstitution", "telefonlån", "mikrolån", "pantbank", "Långivare", "utlåning" ], "shop/motorcycle":[ "motorcykelbutik", "motorcyklar", "Återförsäljare av motorcyklar", "Motorcykel", "motorcykeltillbehör", "motorcykelåterförsäljare" ], "shop/motorcycle_repair":[ "motorcykelreparatör", "motorcyklar", "motorcykel", "service", "cykel", "Motorcykelverkstad", "moped", "reparatör", "motorcykelservice", "verkstad", "reparation", "mopedverkstad" ], "shop/music":[ "CD", "Musikaffär", "CD-affär", "kassett", "LP", "musikbutik", "skivaffär", "vinyl", "skivbutik" ], "shop/musical_instrument":[ "noter", "instrument", "Musikinstrument" ], "shop/newsagent":[ "pressbyrå", "tidskrifter", "Tidningsaffär", "pressbyrån", "tidningar", "kiosk", "magasin", "tidningsställ", "tidningskiosk" ], "shop/nutrition_supplements":[ "viktminskning", "hälsoörter", "Hälsokost", "hälsoprodukter", "hälsa", "mineraler", "vitaminer" ], "shop/optician":[ "glasögon", "ögon", "synundersökning", "linser", "Optiker" ], "shop/organic":[ "ekologiskt", "Ekologiska livsmedel", "miljövänligt" ], "shop/outdoor":[ "tält", "camping", "klätterutrustning", "vandring", "klättring", "vandringsutrustning", "uteliv", "Friluftsaffär", "campingutrustning", "friluftsliv" ], "shop/paint":[ "färg", "Färgbutik", "målarfärg", "målning" ], "shop/pastry":[ "kondis", "kaffeservering", "servering", "fik", "sockerbagare", "kafé", "konditori", "café", "finbageri", "sockerbageri", "cafe", "bageri", "Konditori" ], "shop/pawnbroker":[ "pant", "Pantbank", "pantbelåning", "pantbanken", "pantbank", "pantlånekontor", "varubelåning" ], "shop/perfumery":[ "parfymeri", "Parfymbutik", "parfym", "parfymbutik", "smink", "kosmetika" ], "shop/pet":[ "katter", "katt", "Djurbutik", "hundar", "djurmat", "djur", "akvarium", "hund", "fisk", "djurburar", "husdjur", "djurtillbehör", "Djuraffär" ], "shop/pet_grooming":[ "hund", "pälsvård", "hundvård", "husdjur", "Pälsvård för husdjur", "Trimning" ], "shop/photo":[ "fotoaffär", "framkallning", "kameratillbehör", "Fotoaffär ", "fotokamera", "video", "film", "konvertering", "bild", "fotografi", "foto", "kameror", "filmkamera", "fotoredigering", "kamera", "ram" ], "shop/pyrotechnics":[ "Fyrverkerier", "tomtebloss", "raketer", "smällare", "fyrverkerier", "pyroteknik", "nyårsraketer" ], "shop/radiotechnics":[ "elektronikbutik", "radiotillbehör", "radiobutik", "Radio", "elektronik", "elektronikkomponenter", "Radio/Elektronikbutik" ], "shop/religion":[ "biblar", "Religiös", "kyrkobutik", "psalmböcker", "Religiös butik", "religion" ], "shop/scuba_diving":[ "Dykning", "Dykarbutik", "dykutrustning" ], "shop/seafood":[ "hummer", "räkor", "fisk", "ostron", "bläckfisk", "krabba", "skaldjur", "fiskhandlare", "Fiskaffär", "musslor" ], "shop/second_hand":[ "loppis", "Second hand", "loppmarknad", "secondhand" ], "shop/shoes":[ "Skoaffär", "skobutik", "skor" ], "shop/sports":[ "sportutrustning", "träningsutrustning", "träningskläder", "sportkläder", "löpskor", "Sportaffär", "träningsskor" ], "shop/stationery":[ "Kontorsmaterial", "grattiskort", "papper", "kort", "kuvert", "pennor", "anteckningsböcker", "pappersvaror", "pappershandel", "Pappershandel" ], "shop/storage_rental":[ "förråd", "långtidslager", "förrådsutrymme", "bilförvaring", "magasinera", "Magasinering", "förvaring", "husvagnsförvaring", "Hyrlager", "båtförvaring", "säsongsförvaring", "vinterförvaring", "möbelförvaring" ], "shop/supermarket":[ "supermarket", "mat", "snabbköp", "självbetjäningsbutik", "Snabbköp", "affär", "livsmedelsbutik", "mataffär", "självköp", "dagligvarubutik", "livsmedel" ], "shop/tailor":[ "kostym", "klänning", "Skräddare", "kläder" ], "shop/tattoo":[ "Tatueringsstudio", "tatuera", "tatuering", "tatueringssalong", "tatuerare" ], "shop/tea":[ "the", "Te", "te", "teblad", "thé", "örtte", "Te-butik", "påste" ], "shop/ticket":[ "biljettlucka", "biljettkassa", "biljettkontor", "Biljettförsäljning", "biljetter", "biljettsäljare", "biljettåterförsäljare" ], "shop/tiles":[ "kakelplatta", "plattsättare", "Klinker", "plattor", "Kakelbutik", "kakel" ], "shop/tobacco":[ "pipor", "cigarett", "röktillbehör", "tobak", "cigarr", "Tobaksbutik", "cigaretter", "snus", "rökning", "pipa", "cigarrer" ], "shop/toys":[ "leksaker", "barnsaker", "Leksaksaffär" ], "shop/trade":[ "Proffshandel", "granngården", "trävaror", "fönster", "kakel", "jordbruksprodukter", "proffsmarknad", "VVS", "Trähandel", "jordbruk", "brädor", "byggmaterial", "lantmannaföreningen", "brädgård", "VVS-specialist", "byggnadsmaterial", "proffs" ], "shop/travel_agency":[ "charterflyg", "charter", "reseagent", "Resebyrå", "biljettförsäljning", "charterresa" ], "shop/tyres":[ "däckförsäljning", "däckbyte", "hjulbyte", "fälgar", "däck", "fälg", "hjul", "Däckfirma", "hjulförsäljning", "balansering" ], "shop/vacant":[ "Tom lokal" ], "shop/vacuum_cleaner":[ "dammsugaråterförsäljare", "dammsugarpåsar", "Dammsugarbutik", "dammsugartillbehör", "dammsugare" ], "shop/variety_store":[ "Fyndbutik", "överskott", "lågprisbutik", "fynd", "billigt", "lågpris", "överskottsaffär" ], "shop/video":[ "VHS", "filmbutik", "filmförsäljning", "DVD", "Videobutik", "filmuthyrning" ], "shop/video_games":[ "tvspel", "TV-spel", "konsolspel", "spelkonsoler", "datorspel", "videospel", "dataspel" ], "shop/watches":[ "Klockaffär", "klockbutik", "klocka", "klockor", "uraffär", "urbutik", "ur" ], "shop/water_sports":[ "Vattensport", "simning", "badkläder", "Vattensport/simning " ], "shop/weapons":[ "ammunition", "jakt", "skjutvapen", "vapen", "kniv", "knivar", "pistol", "Vapenaffär" ], "shop/wholesale":[ "grosshandel", "grossistverksamhet", "engros", "mängdhandel", "Partihandel", "lagerklubb", "grosist", "Grosistaffär", "grossistklubb", "grossistlager" ], "shop/window_blind":[ "spjälgardin", "spjäljalusi", "Persienner", "markis", "jalusi", "rullgardin" ], "shop/wine":[ "systemet", "systembolaget", "vin", "Vinaffär", "vinförsäljning" ], "tourism":[ "turistmagnat", "turistattraktion", "Turism", "sevärdhet" ], "tourism/alpine_hut":[ "Fjällstuga", "Fjällstation", "fjällstation" ], "tourism/apartment":[ "turist", "hotell", "Andelslägenhet", "Gästlägenhet", "Turistlägenhet", "condo", "lägenhetshotell", "lägenhet" ], "tourism/aquarium":[ "fisk", "Akvarium", "hav", "vatten" ], "tourism/artwork":[ "Publik konst", "målning", "gatukonst", "väggmålning", "Konst", "offentlig konst", "publik konst", "skulptur", "staty" ], "tourism/attraction":[ "Turistattraktion", "sevärdighet", "sevärdhet" ], "tourism/camp_site":[ "tält", "campinganläggning", "camping", "husvagn", "Campingplats" ], "tourism/caravan_site":[ "camping", "husvagnscamping", "husbilscamping", "Ställplats", "campingplats", "fricamping" ], "tourism/chalet":[ "helgboende", "camping", "stuga", "sommarstuga", "Stuga", "helg", "semester", "semesterboende", "semesterstuga", "ledighet", "Campingstuga" ], "tourism/gallery":[ "Konstgalleri", "konstverk", "Konstaffär", "tavlor", "kulturer", "konst", "konsthandlare", "konstgalleri", "galleri", "statyer", "konstutställning" ], "tourism/guest_house":[ "B&D", "vandrarhem", "logi", "övernattningsställe", "pensionat", "Bed & Breakfast", "Gästhus" ], "tourism/hostel":[ "Vandrarhem", "övernattningsställe" ], "tourism/hotel":[ "värdshus", "Hotell", "hotellanläggning" ], "tourism/information":[ "infokarta", "karta", "informationskarta", "Informationstavla", "Turistbyråer", "Information", "turistkontor", "informationskällan" ], "tourism/information/board":[ "turistinformation", "avgång*", "kollektivtrafik", "fakta", "karta", "Informationstavla", "information", "historisk information" ], "tourism/information/guidepost":[ "Vägmärke", "Guidepost", "stigvisning", "Vägvisare", "vandringsskyllt" ], "tourism/information/map":[ "*karta", "cykelkarta", "Karta", "navigering", "information", "stadskarta", "vägkarta", "informationstavla", "industrikarta" ], "tourism/information/office":[ "Turistbyrå", "turist", "turistinformation", "resebyrå", "turism", "turistkontor" ], "tourism/motel":[ "motorhotell", "hotell", "väghotell", "Motell", "Motel" ], "tourism/museum":[ "samling", "museibyggnad", "historia", "museum", "vetenskap", "utställning", "konstsamling", "Museum", "historik", "konst", "arkeologi", "galleri" ], "tourism/picnic_site":[ "Picknickplats", "camping", "rastplats", "utflykt", "campingplats", "picknick" ], "tourism/theme_park":[ "nöjespark", "åkattraktioner", "nöjesplats", "tivoli", "nöjesfält", "Nöjespark", "Temapark" ], "tourism/trail_riding_station":[ "tur", "ridstation", "hästrastning", "häststall", "gästhus", "ridningsstation", "stall", "turridning", "Turridningsstation", "häst" ], "tourism/viewpoint":[ "utsikt", "vy", "Utsiktspunkt", "Utsiktsplats" ], "tourism/wilderness_hut":[ "hydda", "vandring", "stuga", "skydd", "koja", "hajk", "kyffe", "övernattning", "Stuga (för vandrare o.d.)", "vildmarksstuga", "barack", "fjällstuga", "fjällstation", "Ödestuga" ], "tourism/zoo":[ "djurpark", "Zoo", "zoologisk trädgård" ], "traffic_calming":[ "långsam", "hastighet", "fartgupp", "* fart*", "gupp", "trafikhinder", "säkerhet", "Farthinder" ], "traffic_calming/bump":[ "bula", "Fartbula (kort gupp)", "bump", "fartgupp", "vägbula", "farthinder", "Fartbula", "gupp" ], "traffic_calming/chicane":[ "trafikchikan", "långsam", "hastighet", "* fart*", "Sidoförskjutning (chikan)", "kurvor", "Sidoförskjutning", "chikan", "slalom", "trafikhinder", "säkerhet", "Farthinder" ], "traffic_calming/choker":[ "lins", "choker", "Avsmalning", "Timglas", "långsam", "hastighet", "* fart*", "trafikhinder", "Farthinder", "säkerhet" ], "traffic_calming/cushion":[ "Timglas", "långsam", "hastighet", "Vägkudde", "Farthinder", "lins", "vägkudde", "fartgupp", "* fart*", "farthinder", "trafikhinder", "gupp", "säkerhet" ], "traffic_calming/dip":[ "långsam", "hastighet", "fartgupp", "grop", "* fart*", "farthinder", "trafikhinder", "Grop", "Farthinder", "säkerhet", "försänkning" ], "traffic_calming/hump":[ "Wattgupp", "normalt fartgupp", "Wattska guppet", "fartpuckel", "GP-gupp", "puckel", "fartgupp", "farthinder", "Normalt fartgupp", "Cirkulärt gupp", "standardgupp", "gupp" ], "traffic_calming/island":[ "cirkulation", "långsam", "hastighet", "cirkel", "sidorefug", "Farthinder", "mittrefug", "trafikö", "ö", "Refug", "cirkulationsplats", "* fart*", "farthinder", "trafikhinder", "säkerhet", "rondell" ], "traffic_calming/rumble_strip":[ "Bullerräfflor", "Pennsylvaniaräfflor" ], "traffic_calming/table":[ "Fartgupp (långt)", "fartgupp", "farthinder", "långt fartgupp", "gupp", "Platågupp" ], "type/boundary":[ "Gräns", "gränslinje", "administrativ gräns" ], "type/boundary/administrative":[ "Administrativ gräns", "stat", "administrativ enhet", "gräns", "territorium" ], "type/multipolygon":[ "Multipolygon" ], "type/restriction":[ "begränsning", "inskränkning", "Restriktion", "förbehåll" ], "type/restriction/no_left_turn":[ "Ingen vänstersväng", "sväng ej vänster" ], "type/restriction/no_right_turn":[ "ej högersväng", "Ingen högersväng", "sväng ej höger" ], "type/restriction/no_straight_on":[ "ej rakt fram", "Ej rakt fram", "Fortsätt ej framåt" ], "type/restriction/no_u_turn":[ "får ej vända", "Ingen U-sväng" ], "type/restriction/only_left_turn":[ "vänster", "Enbart vänstersväng", "vänstersväng" ], "type/restriction/only_right_turn":[ "Enbart högersväng", "högersväng", "höger" ], "type/restriction/only_straight_on":[ "Enbart rakt fram", "fortsätt framåt", "får ej svänga" ], "type/restriction/only_u_turn":[ "måste vända", "U-sväng", "Enbart U-sväng" ], "type/route":[ "Rutt", "rutt", "färdled", "färdväg" ], "type/route/bicycle":[ "cykelled", "cykelförbindelse", "cykelnät", "Cykelrutt" ], "type/route/bus":[ "busslinje", "bussväg", "Busslinje", "Bussrutt", "bussled" ], "type/route/detour":[ "Alternativ rutt", "omväg", "alternativ väg" ], "type/route/ferry":[ "båtrutt", "båtlinjetrafik", "Färjerutt" ], "type/route/foot":[ "Vandringsled", "vandringsled", "stig", "Vandringsrutt" ], "type/route/hiking":[ "Vandringsled", "vandringsled", "stig", "Vandringsrutt" ], "type/route/horse":[ "Hästspår", "rida", "Ridrutt", "ridning", "hästspår", "hästrutt", "ridspår", "häst" ], "type/route/light_rail":[ "tågrutt", "smalspårig järnväg", "rutt för snabbspårväg", "järnvägsförbindelse", "stadsbana", "järnvägsrutt", "snabbspårväg", "smalspår", "Rutt på snabbspårväg / stadsbana", "tågnät", "rutt för stadsbana", "Rutt på smalspårig järnväg", "järnväg" ], "type/route/pipeline":[ "pipeline", "oljeledning", "vattenledning", "avloppsledning", "rörledning", "Rörledningsrutt" ], "type/route/piste":[ "längdskidspår", "pistspår", "skidor", "skidtur", "snöpark", "skidbacke", "utförsåkning", "skridskorutt", "skidrutt", "slädspår", "längdskidåkning", "slalombacke", "skidspår", "skidbana", "skridskospår", "skridskobana", "Pist/skidspår", "Pist" ], "type/route/power":[ "kraftledning", "elnät", "Kraftledningsrutt", "elförsörjning" ], "type/route/road":[ "Vägrutt", "vägförbindelse", "vägnät" ], "type/route/subway":[ "Tunnelbanerutt", "tunnelbana" ], "type/route/train":[ "tågnät", "järnvägsförbindelse", "Tågrutt", "järnväg", "järnvägsrutt" ], "type/route/tram":[ "spårvagnsnät", "Spårvagnsrutt", "spårvagn", "spårvagnsförbindelse", "spårvagnsräls" ], "type/route_master":[ "huvudförbindelse", "Huvudrutt", "huvudväg" ], "type/site":[ "anläggning", "läge", "ställe", "Plats" ], "type/waterway":[ "Vattenväg", "vattendrag", "Vattendrag", "vattenflöde" ], "vertex":[ "Annat", "övrigt" ], "waterway":[ "Vattenväg" ], "waterway/boatyard":[ "båtställplats", "varv", "Båtvarv", "uppläggningsplats", "vinterförvaring" ], "waterway/canal":[ "vattenväg", "vattenled", "Kanal" ], "waterway/dam":[ "fördämning", "vattensamling", "damm", "reservoar", "Fördämning" ], "waterway/ditch":[ "Dike", "fåra" ], "waterway/dock":[ "båtdocka", "båtvarv", "fartygsvarv", "Våt- / Torrdocka", "varv", "Torrdocka", "docka", "lastdocka", "våtdocka", "fartygsdocka" ], "waterway/drain":[ "dagvattenavrinning", "dagvatten", "Dränering", "dränering", "avrinning" ], "waterway/fuel":[ "båtmack", "tankstation båtbensninmack", "bränslestation", "båtmensinstation", "Sjömack" ], "waterway/river":[ "vattendrag", "ström", "jokk", "Å", "fors", "Flod", "flod", "älv" ], "waterway/riverbank":[ "åstrand", "flodbank", "flodstrand", "Flodbank" ], "waterway/sanitary_dump_station":[ "tömningsplats", "båtlatrin", "CTDP", "Dumpstation", "gråvatten", "båtsanitet", "gråvattentömning", "Elsan", "Marin latrintömning", "sanitet", "Pumpa ut", "latrintömning", "CDP", "båttömnig", "Båt", "sanitära", "kemisk toalett", "toalettömning", "utpumpning", "campingtoalett", "Vattenfarkoster" ], "waterway/stream":[ "dike", "biflod", "vattendrag", "flöde", "ström", "bäck", "biflöde", "flod", "Bäck", "rännil" ], "waterway/stream_intermittent":[ "Arroyo", "Periodiskt vattendrag", "bäck", "periodiskt", "dagvatten", "biflöde", "tillfälligt", "översvämning", "dike", "vattendrag", "tillfälligt vattendrag", "dränering", "avrinning", "rännil" ], "waterway/water_point":[ "Dricksvatten", "Dricksvatten för båt", "vattenpåfyllning", "vattentank" ], "waterway/waterfall":[ "Vattenfall", "fall", "fors" ], "waterway/weir":[ "fördämning", "vattensamling", "damm", "reservoar", "Damm" ] }
13.419949
69
0.693163
0.818659
61,823
144
hs
Haskell
svmhdvn/cabal-helper
[ "Apache-2.0" ]
26
svmhdvn/cabal-helper
[ "Apache-2.0" ]
103
svmhdvn/cabal-helper
[ "Apache-2.0" ]
41
module Symlink (createSymbolicLink) where import System.Win32.SymbolicLink (createSymbolicLinkFile) createSymbolicLink = createSymbolicLinkFile
36
57
0.881944
0.833636
41
3,290
lisp
Common Lisp
KestrelInstitute/acl2
[ "BSD-3-Clause" ]
305
acl2-devel/acl2-devel
[ "BSD-3-Clause" ]
546
acl2-devel/acl2-devel
[ "BSD-3-Clause" ]
117
; FTY Library ; ; Copyright (C) 2020 Kestrel Institute (http://www.kestrel.edu) ; ; License: A 3-clause BSD license. See the LICENSE file distributed with ACL2. ; ; Author: Alessandro Coglio (coglio@kestrel.edu) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (in-package "FTY") (include-book "kestrel/event-macros/xdoc-constructors" :dir :system) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (defxdoc deffixequiv-sk :parents (fty deffixequiv) :short "A variant of @(tsee deffixequiv) for @(tsee defun-sk) functions." :long (xdoc::topstring ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (xdoc::evmac-section-intro (xdoc::p "The macro @(tsee deffixequiv) automates the generation of theorems saying that a function fixes its arguments to certain types. That macro provides the ability to supply hints, which are often not needed if the function explicitly fixes the arguments (by calling fixing functions) or implicitly does so by calling functions that do (for which the fixing theorems have already been proved.") (xdoc::p "However, when @(tsee defun-sk) functions similarly, explicitly or implicitly, fix their arguments, hints are needed in order to prove the fixing theorems. Unsurprisingly, these hints have a boilerplate form that can be derived from the function.") (xdoc::p "This macro, @('deffixequiv-sk'), generates these hints. More precisely, it generates a @(tsee deffixequiv) that includes the hints derived from the function.") (xdoc::p "If you find that this macro fails, please notify the implementor. Future versions of this macro may also allow the user to specify additional hints (besides the generated ones) to help prove the fixing properties.")) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (xdoc::evmac-section-form (xdoc::codeblock "(deffixequiv-sk fn" " :args ((arg1 pred1) ... (argn predn)) ; default nil" " )")) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (xdoc::evmac-section-inputs (xdoc::desc "@('fn')" (xdoc::p "A symbol that specifies the @(tsee defun-sk) function.")) (xdoc::desc "@(':args') &mdash; default @('nil')" (xdoc::p "A list of doublets @('((arg1 pred1) ... (argn predn))') where each @('argi') is an argument of @('fn') and @('predi') is the predicate that the argument is fixed to. The @('argi') symbols must all be distinct.") (xdoc::p "This syntax is similar to @(tsee deffixequiv). Note that the @('predi') symbols must be predicates, not fixtype names."))) ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; (xdoc::evmac-section-generated (xdoc::p "A call") (xdoc::codeblock "(deffixequiv :args ((arg1 pred1) ... (argn predn)) :hints ...)") (xdoc::p "where @('...') are hints generated from the function. The exact form of and motivation for these hints will be described in upcoming extensions of this documentation."))))
32.9
80
0.558055
0.83122
1,133
480
cs
C#
erikzhouxin/NMoonPdf
[ "MIT" ]
1
erikzhouxin/NMoonPdf
[ "MIT" ]
null
erikzhouxin/NMoonPdf
[ "MIT" ]
null
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Windows; using System.Windows.Media; namespace System.Data.MoonPdf.Wpf { internal class PdfImage { public ImageSource ImageSource { get; set; } // we use only the "Right"-property of "Thickness", but we choose the "Thickness" structure instead of a simple double, because it makes data binding easier. public Thickness Margin { get; set; } } }
28.235294
165
0.714583
0.809631
138
1,221
st
Smalltalk
hpi-swa-teaching/UiDesigner
[ "MIT" ]
3
hpi-swa-teaching/UiDesigner
[ "MIT" ]
10
hpi-swa-teaching/UiDesigner
[ "MIT" ]
3
code generation generateDrawMethods "self generateDrawMethods." (PackageInfo named: #Widgets) classes select: [:cls | (cls inheritsFrom: Morph) and: [cls isWidgetClass]] thenDo: [:cls | | qname src msg | qname := cls name allButFirst: 2. "Remove 'Ui' prefix." msg := '"Auto-generated. Do not edit but override. See UiPainter>>generateDrawMethods."'. src := 'draw{1}: a{1} {2}: aCanvas "Auto-generated. Do not edit. See UiPainter>>generateDrawMethods." self morph: a{1}. a{1} enabled ifTrue: [self draw{1}{3}EnabledOn: aCanvas] ifFalse: [self draw{1}{3}DisabledOn: aCanvas].'. UiPainter compile: (src format: {qname. 'on'. ''}) classified: #drawing; compile: (src format: {qname. 'overlayOn'. 'Overlay'}) classified: #drawing; compile: ('draw{1}EnabledOn: aCanvas {2}' format: {qname. msg}) classified: #'drawing - specific'; compile: ('draw{1}DisabledOn: aCanvas {2}' format: {qname. msg}) classified: #'drawing - specific'; compile: ('draw{1}OverlayEnabledOn: aCanvas {2}' format: {qname. msg}) classified: #'drawing - specific'; compile: ('draw{1}OverlayDisabledOn: aCanvas {2}' format: {qname. msg}) classified: #'drawing - specific'].
35.911765
92
0.660934
0.818063
483
2,822
thrift
Thrift
eduardo-elizondo/cppcon2017
[ "MIT" ]
29
eduardo-elizondo/cppcon2017
[ "MIT" ]
2
eduardo-elizondo/cppcon2017
[ "MIT" ]
4
include "file32.thrift" include "file27.thrift" struct Struct0 { 1: map<byte, byte> field1 2: file27.Struct7 field2 3: i16 field3 4: map<set<i32>, string> field4 5: map<byte, string> field5 } struct Struct1 { 1: string field1 2: file32.Struct12 field2 } struct Struct2 { 1: file27.Struct2 field1 2: bool field2 3: binary field3 4: i32 field4 5: i64 field5 6: bool field6 7: i16 field7 8: map<i64, list<set<bool>>> field8 9: i32 field9 10: map<float, bool> field10 11: double field11 12: map<i32, i16> field12 13: double field13 14: string field14 15: set<i16> field15 16: list<double> field16 17: map<binary, set<list<i64>>> field17 18: float field18 19: float field19 20: byte field20 21: set<file27.Struct5> field21 22: set<double> field22 23: i64 field23 24: i16 field24 } struct Struct3 { 1: i32 field1 2: binary field2 3: byte field3 } struct Struct4 { 1: float field1 2: i32 field2 3: map<binary, i16> field3 4: map<string, map<binary, double>> field4 5: list<bool> field5 6: set<binary> field6 7: file27.Struct3 field7 8: list<byte> field8 9: i64 field9 10: bool field10 11: map<i64, binary> field11 12: i32 field12 13: byte field13 14: string field14 15: Struct1 field15 16: set<binary> field16 17: i32 field17 18: binary field18 19: list<file32.Struct10> field19 20: set<map<Struct0, bool>> field20 21: binary field21 22: file32.Struct19 field22 23: i16 field23 24: i64 field24 25: map<bool, double> field25 26: byte field26 27: i64 field27 28: list<i64> field28 29: list<float> field29 30: set<float> field30 31: map<double, string> field31 } struct Struct5 { 1: map<double, file32.Struct9> field1 } struct Struct6 { 1: map<map<binary, i16>, map<list<double>, bool>> field1 2: i32 field2 3: Struct0 field3 4: Struct3 field4 } struct Struct7 { 1: file32.Struct28 field1 2: set<double> field2 3: map<float, map<set<i32>, float>> field3 4: string field4 5: set<i32> field5 6: binary field6 7: i32 field7 8: i64 field8 9: map<i32, double> field9 10: set<float> field10 11: list<float> field11 12: map<Struct2, Struct0> field12 13: map<double, i16> field13 14: Struct0 field14 15: map<bool, map<float, byte>> field15 16: file27.Struct8 field16 17: byte field17 18: set<double> field18 19: byte field19 20: byte field20 21: byte field21 22: string field22 23: i32 field23 } struct Struct8 { 1: bool field1 2: set<binary> field2 3: i16 field3 4: byte field4 5: set<byte> field5 6: list<byte> field6 7: i64 field7 8: map<byte, set<bool>> field8 9: list<bool> field9 10: set<list<i16>> field10 11: float field11 12: list<binary> field12 13: map<i64, i64> field13 14: map<double, binary> field14 }
20.449275
58
0.67966
0.841429
1,314
76
thy
Isabelle
TheoryMine/IsaPlanner
[ "Apache-2.0" ]
2
TheoryMine/IsaPlanner
[ "Apache-2.0" ]
4
TheoryMine/IsaPlanner
[ "Apache-2.0" ]
1
theory BMark_N_a3_m2_e2 imports BMark_N_a3 BMark_N_m2 BMark_N_e2 begin end;
12.666667
23
0.881579
0.87
47
993
go
Go
extra2000/saferwall
[ "Apache-2.0" ]
1
fr0gger/saferwall
[ "Apache-2.0" ]
null
fr0gger/saferwall
[ "Apache-2.0" ]
null
// Copyright 2021 Saferwall. All rights reserved. // Use of this source code is governed by Apache v2 license // license that can be found in the LICENSE file. package client import ( "context" "github.com/saferwall/saferwall/pkg/grpc/multiav" pb "github.com/saferwall/saferwall/pkg/grpc/multiav/eset/proto" ) // GetVerion returns version func GetVerion(client pb.EsetScannerClient) (*pb.VersionResponse, error) { versionRequest := &pb.VersionRequest{} return client.GetVersion(context.Background(), versionRequest) } // ScanFile scans file func ScanFile(client pb.EsetScannerClient, path string) (multiav.ScanResult, error) { scanFile := &pb.ScanFileRequest{Filepath: path} ctx, cancel := context.WithTimeout(context.Background(), multiav.ScanTimeout) defer cancel() res, err := client.ScanFile(ctx, scanFile) if err != nil { return multiav.ScanResult{}, err } return multiav.ScanResult{ Output: res.Output, Infected: res.Infected, Update: res.Update, }, nil }
27.583333
85
0.748238
0.912857
335
398
sol
Solidity
BrightID/BrightID-Soulbound
[ "MIT" ]
2
BrightID/BrightID-Soulbound
[ "MIT" ]
null
BrightID/BrightID-Soulbound
[ "MIT" ]
null
// SPDX-License-Identifier: MIT pragma solidity ^0.8.11; interface IBrightIDValidator { /** * @dev Returns the context of the BrightID valiator. */ function context() external view returns (bytes32); /** * @dev Returns true if `signer` is a trusted validator, and false otherwise. */ function isTrustedValidator(address signer) external view returns (bool); }
26.533333
81
0.680905
0.82316
116
1,009
kt
Kotlin
rizafu/MovieDB
[ "MIT" ]
2
rizafu/MovieDB
[ "MIT" ]
null
rizafu/MovieDB
[ "MIT" ]
1
package com.rizafu.moviedb.di.component import android.app.Application import com.rizafu.moviedb.App import com.rizafu.moviedb.di.builder.ActivityBuilder import com.rizafu.moviedb.di.module.* import dagger.BindsInstance import dagger.Component import dagger.android.AndroidInjectionModule import dagger.android.AndroidInjector import kotlinx.coroutines.ExperimentalCoroutinesApi import kotlinx.coroutines.FlowPreview import javax.inject.Singleton @FlowPreview @ExperimentalCoroutinesApi @Singleton @Component( modules = [ AndroidInjectionModule::class, DbModule::class, ApiModule::class, RepositoryModule::class, ActivityBuilder::class, ViewModelFactoryModule::class, ViewModelModule::class ] ) interface AppComponent : AndroidInjector<App> { @Component.Builder interface Builder { @BindsInstance fun create(app: Application): Builder fun build(): AppComponent } override fun inject(instance: App?) }
25.225
52
0.749257
0.812415
293
619
js
JavaScript
Yohanson555/langcode-info
[ "MIT" ]
null
Yohanson555/langcode-info
[ "MIT" ]
null
Yohanson555/langcode-info
[ "MIT" ]
null
const fs = require('fs'); const content = fs.readFileSync("./lang.txt").toString(); const lines = content.split("\r\n"); const res = {}; const codeToHex = {}; const decToHext = {}; lines.forEach(line => { const arr = line.split(" \t"); res[arr[0]] = { "name": arr[3], "code": arr[2], "hex": arr[0], "dec": arr[1] }; codeToHex[arr[2]] = arr[0]; decToHext[arr[1]] = arr[0]; }); fs.writeFileSync("./lang.json", JSON.stringify(res)); fs.writeFileSync("./code_to_hex.json", JSON.stringify(codeToHex)); fs.writeFileSync("./dec_to_hex.json", JSON.stringify(decToHext));
24.76
66
0.588045
0.819071
231
127
ts
TypeScript
dchesterton/babel-plugin-typescript-to-proptypes
[ "MIT" ]
366
dchesterton/babel-plugin-typescript-to-proptypes
[ "MIT" ]
53
dchesterton/babel-plugin-typescript-to-proptypes
[ "MIT" ]
33
import React from 'react'; // @ts-ignore const VarMissingType: React.SFC<Props> = () => null; export default VarMissingType;
18.142857
52
0.716535
0.863333
41
7,493
go
Go
JamazRuan/mesh
[ "Apache-2.0" ]
794
noshenxian/sofa-mesh
[ "Apache-2.0" ]
25
noshenxian/sofa-mesh
[ "Apache-2.0" ]
116
// Copyright 2018 Istio 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. package envoy import ( "fmt" "math/rand" "os" "os/exec" "path/filepath" "regexp" "strconv" "sync" "istio.io/istio/pilot/pkg/proxy/envoy" "istio.io/istio/pkg/test/env" ) const ( // DefaultLogLevel the log level used for Envoy if not specified. DefaultLogLevel = LogLevelWarning // DefaultLogEntryPrefix the default prefix for all log lines from Envoy. DefaultLogEntryPrefix = "[ENVOY]" envoyFileNamePattern = "^mosn$|^mosn-[a-f0-9]+$|^mosn-debug-[a-f0-9]+$" ) // LogLevel represents the log level to use for Envoy. type LogLevel string const ( // LogLevelTrace level LogLevelTrace LogLevel = "trace" // LogLevelDebug level LogLevelDebug LogLevel = "debug" // LogLevelInfo level LogLevelInfo LogLevel = "info" // LogLevelWarning level LogLevelWarning LogLevel = "warning" // LogLevelError level LogLevelError LogLevel = "error" // LogLevelCritical level LogLevelCritical LogLevel = "critical" // LogLevelOff level LogLevelOff = "off" ) var ( idGenerator = &baseIDGenerator{ ids: make(map[uint32]byte), } ) // Envoy is a wrapper that simplifies running Envoy. type Envoy struct { // YamlFile (required) the v2 yaml config file for Envoy. YamlFile string // FIXME mosn not support yaml conf JsonFile string // BinPath (optional) the path to the Envoy binary. If not set, uses the debug binary under ISTIO_OUT. If the // ISTIO_OUT environment variable is not set, the default location under GOPATH is assumed. If ISTIO_OUT contains // multiple debug binaries, the most recent file is used. BinPath string // LogFilePath (optional) Sets the output log file for Envoy. If not set, Envoy will output to stderr. LogFilePath string // LogLevel (optional) if provided, sets the log level for Envoy. If not set, DefaultLogLevel will be used. LogLevel LogLevel // LogEntryPrefix (optional) if provided, sets the prefix for every log line from this Envoy. Defaults to DefaultLogPrefix. LogEntryPrefix string cmd *exec.Cmd baseID uint32 NodeId string } // Start starts the Envoy process. func (e *Envoy) Start() (err error) { // If there is an error upon exiting this function, stop the server. defer func() { if err != nil { _ = e.Stop() } }() if err = e.validateCommandArgs(); err != nil { return err } envoyPath := e.BinPath if envoyPath == "" { // No binary specified, assume a default location under ISTIO_OUT envoyPath, err = getDefaultEnvoyBinaryPath() if err != nil { return err } } // We need to make sure each envoy has a unique base ID in order to run multiple instances on the same // machine. e.takeBaseID() // Run the envoy binary args := e.getCommandArgs() e.cmd = exec.Command(envoyPath, args...) e.cmd.Stderr = os.Stderr e.cmd.Stdout = os.Stdout return e.cmd.Start() } // Stop kills the Envoy process. // TODO: separate returning of baseID, to make it work with Envoy's hot restart. func (e *Envoy) Stop() error { // Make sure we return the base ID. defer e.returnBaseID() if e.cmd == nil || e.cmd.Process == nil { // Wasn't previously started - nothing to do. return nil } // Kill the process. return e.cmd.Process.Kill() } func (e *Envoy) validateCommandArgs() error { if e.BinPath != "" { // Ensure the binary exists. if err := checkFileExists(e.BinPath); err != nil { return fmt.Errorf("specified Envoy binary does not exist: %s", e.BinPath) } } if e.YamlFile == "" { return fmt.Errorf("configFile must be specified before running Envoy") } return nil } func (e *Envoy) takeBaseID() { e.baseID = idGenerator.takeBaseID() } func (e *Envoy) returnBaseID() { if e.baseID != 0 { path := "/dev/shm/envoy_shared_memory_" + strconv.FormatUint(uint64(e.baseID), 10) + "0" if err := os.Remove(path); err == nil || os.IsNotExist(err) { idGenerator.returnBaseID(e.baseID) // Restore the zero value. e.baseID = 0 } } } func (e *Envoy) getCommandArgs() []string { //// Prefix Envoy log entries with [ENVOY] to make them distinct from other logs if mixed within the same stream (e.g. stderr) //logFormat := e.getLogEntryPrefix() + " [%Y-%m-%d %T.%e][%t][%l][%n] %v" // //args := []string{ // "--base-id", // strconv.FormatUint(uint64(e.baseID), 10), // // Always force v2 config. // "--v2-config-only", // "--config-path", // e.YamlFile, // "--log-level", // string(e.getLogLevel()), // "--log-format", // logFormat, //} // //if e.LogFilePath != "" { // args = append(args, "--log-path", e.LogFilePath) //} //return args args := []string{ envoy.CmdStart, envoy.ArgConfig, e.JsonFile, envoy.ArgServiceNode, e.NodeId, // FIXME mock the value envoy.ArgServiceCluster,"mock-servicecluster", } return args } func (e *Envoy) getLogLevel() LogLevel { if e.LogLevel != "" { return e.LogLevel } return DefaultLogLevel } func (e *Envoy) getLogEntryPrefix() string { if e.LogEntryPrefix != "" { return e.LogEntryPrefix } return DefaultLogEntryPrefix } func checkFileExists(f string) error { if _, err := os.Stat(f); os.IsNotExist(err) { return err } return nil } func isEnvoyBinary(f os.FileInfo) bool { if f.IsDir() { return false } matches, _ := regexp.MatchString(envoyFileNamePattern, f.Name()) return matches } func findEnvoyBinaries() ([]string, error) { binPaths := make([]string, 0) err := filepath.Walk(env.IstioOut, func(path string, f os.FileInfo, err error) error { if isEnvoyBinary(f) { binPaths = append(binPaths, path) } return nil }) if err != nil { return nil, err } return binPaths, nil } func findMostRecentFile(filePaths []string) (string, error) { latestFilePath := "" latestFileTime := int64(0) for _, filePath := range filePaths { fileInfo, err := os.Stat(filePath) if err != nil { // Should never happen return "", err } fileTime := fileInfo.ModTime().Unix() if fileTime > latestFileTime { latestFileTime = fileTime latestFilePath = filePath } } return latestFilePath, nil } func getDefaultEnvoyBinaryPath() (string, error) { binPaths, err := findEnvoyBinaries() if err != nil { return "", err } if len(binPaths) == 0 { return "", fmt.Errorf("unable to locate an Envoy binary under dir %s", env.IstioOut) } latestBinPath, err := findMostRecentFile(binPaths) if err != nil { return "", err } return latestBinPath, nil } // A little utility that helps to ensure that we don't re-use type baseIDGenerator struct { m sync.Mutex ids map[uint32]byte } func (g *baseIDGenerator) takeBaseID() uint32 { g.m.Lock() defer g.m.Unlock() // Retry until we find a baseID that's not currently in use. for { baseID := rand.Uint32() // Don't allow 0, since we treat that as not-set. if baseID > 0 { _, ok := g.ids[baseID] if !ok { g.ids[baseID] = 1 return baseID } } } } func (g *baseIDGenerator) returnBaseID(baseID uint32) { g.m.Lock() defer g.m.Unlock() delete(g.ids, baseID) }
24.407166
127
0.684772
0.814225
2,744
191
js
JavaScript
penguinspace/poc-node
[ "MIT" ]
null
penguinspace/poc-node
[ "MIT" ]
null
penguinspace/poc-node
[ "MIT" ]
null
var express = require('express') var app = express() // respond with "hello world" when a GET request is made to the homepage app.get('/', function (req, res) { res.send('hello node') })
21.222222
72
0.670157
0.841437
59
1,106
proto
Protocol Buffer
teone/onos-api
[ "Apache-2.0" ]
null
teone/onos-api
[ "Apache-2.0" ]
null
teone/onos-api
[ "Apache-2.0" ]
null
/* Copyright 2021-present Open Networking Foundation. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ syntax = "proto3"; package onos.config.v2; import "gogoproto/gogo.proto"; import "google/protobuf/timestamp.proto"; message ObjectMeta { string key = 1; uint64 version = 2; uint64 revision = 3 [(gogoproto.casttype) = "Revision"]; google.protobuf.Timestamp created = 4 [(gogoproto.stdtime) = true, (gogoproto.nullable) = false]; google.protobuf.Timestamp updated = 5 [(gogoproto.stdtime) = true, (gogoproto.nullable) = false]; google.protobuf.Timestamp deleted = 6 [(gogoproto.stdtime) = true]; }
34.5625
101
0.74774
0.806907
342
148
lua
Lua
lalitmee/telescope.nvim
[ "MIT" ]
null
lalitmee/telescope.nvim
[ "MIT" ]
null
lalitmee/telescope.nvim
[ "MIT" ]
null
RELOAD('telescope') require('telescope.builtin').find_files(require('telescope.themes').get_ivy { previewer = false })
4.625
98
0.614865
0.863548
71
591
scala
Scala
gitter-badger/finagle
[ "Apache-2.0" ]
2
gitter-badger/finagle
[ "Apache-2.0" ]
4
gitter-badger/finagle
[ "Apache-2.0" ]
4
package com.twitter.finagle.exp.mysql.transport import org.junit.runner.RunWith import org.scalatest.FunSuite import org.scalatest.junit.JUnitRunner @RunWith(classOf[JUnitRunner]) class PacketTest extends FunSuite { val seq = 2.toShort val bytes = Array[Byte](0x01, 0x02, 0x03, 0x04) val body = Buffer(bytes) val packet = Packet(seq, body) test("Encode a Packet") { val buf = Buffer.fromChannelBuffer(packet.toChannelBuffer) val br = BufferReader(buf) assert(bytes.size === br.readInt24()) assert(seq === br.readByte()) assert(bytes === br.takeRest()) } }
26.863636
62
0.715736
0.820124
214
816
st
Smalltalk
maenu/gtoolkit-contribution-typer
[ "MIT" ]
8
maenu/gtoolkit-contribution-typer
[ "MIT" ]
1
maenu/gtoolkit-contribution-typer
[ "MIT" ]
1
Extension { #name : #GtPharoMethodCoder } { #category : #'*Typer-GToolkit' } GtPharoMethodCoder >> typGtBrowseImplementorsAt: anInteger [ <typPraArguments: 'Integer'> | node | node := self typGtRbNodeAt: anInteger. node isNil ifTrue: [ ^ self ]. node isMethod ifFalse: [ ^ self ]. self notifyObjectSpawn: (TypGtCoderTypeFilter new type: self classOrMetaClass typAsType; yourself) & (GtSearchImplementorsFilter selector: self selector) ] { #category : #'*Typer-GToolkit' } GtPharoMethodCoder >> typGtInitializeMethodAddOnsFor: anAst into: anAddOns [ <gtAstCoderAddOns: 11> anAddOns addShortcut: TypGtTypeWithPragmaShortcut new ] { #category : #'*Typer-GToolkit' } GtPharoMethodCoder >> typGtTypeWithPragma [ self sourceCode: (self rbAST typGtTypeWithPragma; formattedCode) ]
24.727273
76
0.734069
0.8676
338
4,559
php
PHP
Ivan-dela-cruz/web-control-ganado
[ "MIT" ]
null
Ivan-dela-cruz/web-control-ganado
[ "MIT" ]
null
Ivan-dela-cruz/web-control-ganado
[ "MIT" ]
null
<?php namespace App\Http\Livewire; use AnimalTreatments; use Livewire\Component; use App\Treatment; use App\Animal_production; use App\Mastitis As Mastitiss; use Livewire\WithPagination; use phpDocumentor\Reflection\Types\This; Use Illuminate\Support\Facades\DB; class Mastitis extends Component { use WithPagination; protected $paginationTheme = 'bootstrap'; protected $queryString = [ 'search' => ['except' => ''], 'perPage' => ['except' => '10'], ]; public $perPage = '10'; public $search = ''; public $animals_production,$treatments, $tipe_mastitis, $description, $level,$animal_production_id,$treatment_id,$status = 1; public $data_id; public $view = 'create', $sAnimal = 0; public function render() { $this->animals_production = Animal_production::where('status',1)->get(); $mastitiss = Mastitiss::where('tipe_mastitis', 'LIKE', "%{$this->search}%") ->orWhere('description', 'LIKE', "%{$this->search}%") ->orWhere('level', 'LIKE', "%{$this->search}%") ->paginate($this->perPage); $this->treatments = Treatment::all(); return view('livewire.mastitis',compact('mastitiss')); } public function create(){ $this->view = 'create'; $this->emit('showCreate');//IMPORTANT! $this->resetInputFields(); } public function resetInputFields() { $this->view = 'create'; $this->sAnimal = 0; $this->tipe_mastitis = ''; $this->description = ''; $this->level = ''; $this->status = 1; $this->animal_production_id = ''; $this->treatment_id= ''; } public function clear() { $this->search = ''; $this->page = 1; $this->perPage = '10'; } public function store() { $validation = $this->validate([ 'tipe_mastitis' => 'required', 'description' => 'required', 'level' => 'required', 'status' => 'required', 'animal_production_id' => 'required', 'treatment_id' => 'required' ],[ 'tipe_mastitis.required' =>'Campo obligatorio.', 'description.required' =>'Campo obligatorio.', 'level.required' =>'Campo obligatorio.', 'status.required' =>'Campo obligatorio.', 'animal_production_id.required' =>'Campo obligatorio.', 'treatment_id.required' =>'Campo obligatorio.', ]); Mastitiss::create($validation); $this->alert('success', 'Mastitis registrada con exíto.'); $this->resetInputFields(); $this->emit('mastitisStore'); } public function edit($id) { $this->view = 'edit'; $data = Mastitiss::findOrFail($id); $this->tipe_mastitis = $data->tipe_mastitis; $this->description = $data->description; $this->level = $data->level; $this->status = $data->status; $this->animal_production_id = $data->animal_production_id; $this->treatment_id = $data->treatment_id; $this->data_id = $id; $this->emit('showUpdate');//IMPORTANT! } public function update() { $validation = $this->validate([ 'tipe_mastitis' => 'required', 'description' => 'required', 'level' => 'required', 'status' => 'required', 'animal_production_id' => 'required', 'treatment_id' => 'required' ],[ 'tipe_mastitis.required' =>'Campo obligatorio.', 'description.required' =>'Campo obligatorio.', 'level.required' =>'Campo obligatorio.', 'status.required' =>'Campo obligatorio.', 'animal_production_id.required' =>'Campo obligatorio.', 'treatment_id.required' =>'Campo obligatorio.', ]); $data = Mastitiss::find($this->data_id); $data->update([ 'tipe_mastitis' => $this->tipe_mastitis, 'description' => $this->description, 'level' => $this->level, 'status' => $this->status, 'animal_production_id' => $this->animal_production_id, 'treatment_id' => $this->treatment_id ]); $this->alert('success', 'Mastitis actualizada con exíto.'); $this->resetInputFields(); $this->emit('forceCloseModal'); } public function delete($id) { Mastitiss::find($id)->delete(); $this->alert('success', 'Mastitis eliminada con exíto.'); } }
31.013605
130
0.558675
0.8972
1,476
262
glsl
GLSL
FaideWW/thealien
[ "MIT" ]
null
FaideWW/thealien
[ "MIT" ]
null
FaideWW/thealien
[ "MIT" ]
null
#version 100 attribute vec3 aVertexPosition; attribute vec4 aVertexColor; uniform mat4 uMVMatrix; uniform mat4 uPMatrix; varying lowp vec4 vColor; void main(void) { gl_Position = uPMatrix * uMVMatrix * vec4(aVertexPosition, 1.0); vColor = aVertexColor; }
18.714286
66
0.770992
0.839841
100
2,345
h
C
qianyongjun123/FPGA-Industrial-Smart-Camera
[ "MIT" ]
1
qianyongjun123/FPGA-Industrial-Smart-Camera
[ "MIT" ]
null
qianyongjun123/FPGA-Industrial-Smart-Camera
[ "MIT" ]
3
/** * @file [GRstData.h] * @brief 全局数据管理接口 * @author <Terry> * @date <2017/06/03> * @version <v1.0> * @note * */ #ifndef RST_DATA_H #define RST_DATA_H #ifdef __cplusplus #if __cplusplus extern "C"{ #endif #endif /* __cplusplus */ #include "BaseStruct.h" /** * @brief 设置int型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * s_int: 待保存的值 * @return * @author <Terry> * @note */ void SINT_RST_VALUE_SET(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id, int s_int); /** * @brief 设置unsigned int型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * u_int: 待保存的值 * @return * @author <Terry> * @note */ void UINT_RST_VALUE_SET(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id, unsigned int u_int); /** * @brief 设置float型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * f_data: 待保存的值 * @return * @author <Terry> * @note */ void FLT_RST_VALUE_SET(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id, float f_data); /** * @brief 设置double型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * d_data: 待保存的值 * @return * @author <Terry> * @note */ void DBL_RST_VALUE_SET(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id, double d_data); /** * @brief 初始化int型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * @return * @author <Terry> * @note */ void SINT_RST_VALUE_INIT(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id); /** * @brief 初始化unsigned int型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * @return * @author <Terry> * @note */ void UINT_RST_VALUE_INIT(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id); /** * @brief 初始化float型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * @return * @author <Terry> * @note */ void FLT_RST_VALUE_INIT(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id); /** * @brief 初始化double型结果数据 * @param pRst_Value: 结果存储的指针 * enum_id: 枚举值 * @return * @author <Terry> * @note */ void DBL_RST_VALUE_INIT(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_id); /** * @brief 清除指定步骤的结果 * @param step_index: 步骤索引 * enum_end: 枚举最大值 * @return * @author <Terry> * @note */ void RST_VALUE_CLEAR(RST_VALUE_STRUCT *pRst_Value, unsigned int enum_end); #ifdef __cplusplus #if __cplusplus } #endif #endif /* __cplusplus */ #endif // RST_DATA_H
18.91129
96
0.663966
0.814446
1,082
1,455
yy
Yacc
yuigoto/yx-jam-LD-39
[ "MIT" ]
null
yuigoto/yx-jam-LD-39
[ "MIT" ]
null
yuigoto/yx-jam-LD-39
[ "MIT" ]
null
{ "id": "be6f6791-b385-4315-8d19-91fcbf3ad24e", "modelName": "GMObject", "mvc": "1.0", "name": "obj_camera", "eventList": [ { "id": "21557d5c-32f1-467b-9a81-95c3edb05a20", "modelName": "GMEvent", "mvc": "1.0", "IsDnD": false, "collisionObjectId": "00000000-0000-0000-0000-000000000000", "enumb": 0, "eventtype": 3, "m_owner": "be6f6791-b385-4315-8d19-91fcbf3ad24e" }, { "id": "cf7ac89a-5da4-4fc0-9118-c8d78a570293", "modelName": "GMEvent", "mvc": "1.0", "IsDnD": false, "collisionObjectId": "00000000-0000-0000-0000-000000000000", "enumb": 0, "eventtype": 0, "m_owner": "be6f6791-b385-4315-8d19-91fcbf3ad24e" } ], "maskSpriteId": "00000000-0000-0000-0000-000000000000", "parentObjectId": "00000000-0000-0000-0000-000000000000", "persistent": false, "physicsAngularDamping": 0.1, "physicsDensity": 0.5, "physicsFriction": 0.2, "physicsGroup": 0, "physicsKinematic": false, "physicsLinearDamping": 0.1, "physicsObject": false, "physicsRestitution": 0.1, "physicsSensor": false, "physicsShape": 1, "physicsShapePoints": null, "physicsStartAwake": true, "solid": false, "spriteId": "00000000-0000-0000-0000-000000000000", "visible": true }
31.630435
72
0.554639
0.831166
748
2,068
html
HTML
BenPartington21/ClassTraining
[ "Apache-2.0" ]
null
BenPartington21/ClassTraining
[ "Apache-2.0" ]
null
BenPartington21/ClassTraining
[ "Apache-2.0" ]
null
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> <link rel="stylesheet" href="//cdn.datatables.net/1.10.16/css/jquery.dataTables.min.css"> </head> <body> <button type="button" id="getProductsBtn">Get Products</button> <div> <table id="productsTable"> <thead> <tr> <th>Product Name</th> <th>Quantity in Stock</th> <th>MSRP</th> </tr> </thead> <tbody></tbody> </table> </div> <script src="jquery-3.3.1.min.js"  ></script> <script src="//cdn.datatables.net/1.10.16/js/jquery.dataTables.min.js"></script> <script> $(document).ready(function() { $('#getProductsBtn').click(function() { getProducts(); }); }); function getProducts() { $.ajax({ url: 'index.php', type: 'get', dataType: 'json', success: function(data) { renderProducts(data); }, error: function(x, s, m) { console.log(m) } }); } function renderProducts(data) { //clear any products $('#productsTable tbody').html(''); var numProducts = data.length; for (var i = 0; i < numProducts; i++) { var rowHTML = '<tr>'; rowHTML += '<td>' + data[i].productName + '</td>'; rowHTML += '<td>' + data[i].quantityInStock + '</td>'; rowHTML += '<td>' + data[i].MSRP + '</td>'; rowHTML += '</tr>'; $('#productsTable tbody').append(rowHTML); } $('#productsTable').DataTable(); $("#productsTable").DataTable().fnDestroy(); $("#productsTable").DataTable(); } </script> </body> </html>
19.884615
93
0.424081
0.826802
640
3,044
frm
Visual Basic
ethsmith/vue-store-api
[ "MIT" ]
null
ethsmith/vue-store-api
[ "MIT" ]
null
ethsmith/vue-store-api
[ "MIT" ]
null
TYPE=VIEW query=select `processlist`.`thd_id` AS `thd_id`,`processlist`.`conn_id` AS `conn_id`,`processlist`.`user` AS `user`,`processlist`.`db` AS `db`,`processlist`.`command` AS `command`,`processlist`.`state` AS `state`,`processlist`.`time` AS `time`,`processlist`.`current_statement` AS `current_statement`,`processlist`.`statement_latency` AS `statement_latency`,`processlist`.`progress` AS `progress`,`processlist`.`lock_latency` AS `lock_latency`,`processlist`.`rows_examined` AS `rows_examined`,`processlist`.`rows_sent` AS `rows_sent`,`processlist`.`rows_affected` AS `rows_affected`,`processlist`.`tmp_tables` AS `tmp_tables`,`processlist`.`tmp_disk_tables` AS `tmp_disk_tables`,`processlist`.`full_scan` AS `full_scan`,`processlist`.`last_statement` AS `last_statement`,`processlist`.`last_statement_latency` AS `last_statement_latency`,`processlist`.`current_memory` AS `current_memory`,`processlist`.`last_wait` AS `last_wait`,`processlist`.`last_wait_latency` AS `last_wait_latency`,`processlist`.`source` AS `source`,`processlist`.`trx_latency` AS `trx_latency`,`processlist`.`trx_state` AS `trx_state`,`processlist`.`trx_autocommit` AS `trx_autocommit`,`processlist`.`pid` AS `pid`,`processlist`.`program_name` AS `program_name` from `sys`.`processlist` where ((`processlist`.`conn_id` is not null) and (`processlist`.`command` <> \'Daemon\')) md5=97370a9a592ae223cb955b6a4424f702 updatable=0 algorithm=0 definer_user=mysql.sys definer_host=localhost suid=0 with_check_option=0 timestamp=2021-11-04 17:28:48 create-version=1 source=SELECT * FROM sys.processlist WHERE conn_id IS NOT NULL AND command != \'Daemon\' client_cs_name=utf8 connection_cl_name=utf8_general_ci view_body_utf8=select `processlist`.`thd_id` AS `thd_id`,`processlist`.`conn_id` AS `conn_id`,`processlist`.`user` AS `user`,`processlist`.`db` AS `db`,`processlist`.`command` AS `command`,`processlist`.`state` AS `state`,`processlist`.`time` AS `time`,`processlist`.`current_statement` AS `current_statement`,`processlist`.`statement_latency` AS `statement_latency`,`processlist`.`progress` AS `progress`,`processlist`.`lock_latency` AS `lock_latency`,`processlist`.`rows_examined` AS `rows_examined`,`processlist`.`rows_sent` AS `rows_sent`,`processlist`.`rows_affected` AS `rows_affected`,`processlist`.`tmp_tables` AS `tmp_tables`,`processlist`.`tmp_disk_tables` AS `tmp_disk_tables`,`processlist`.`full_scan` AS `full_scan`,`processlist`.`last_statement` AS `last_statement`,`processlist`.`last_statement_latency` AS `last_statement_latency`,`processlist`.`current_memory` AS `current_memory`,`processlist`.`last_wait` AS `last_wait`,`processlist`.`last_wait_latency` AS `last_wait_latency`,`processlist`.`source` AS `source`,`processlist`.`trx_latency` AS `trx_latency`,`processlist`.`trx_state` AS `trx_state`,`processlist`.`trx_autocommit` AS `trx_autocommit`,`processlist`.`pid` AS `pid`,`processlist`.`program_name` AS `program_name` from `sys`.`processlist` where ((`processlist`.`conn_id` is not null) and (`processlist`.`command` <> \'Daemon\'))
190.25
1,358
0.772339
0.827203
1,106
3,047
go
Go
zachpuck/aks-engine-automation
[ "Apache-2.0" ]
1
zachpuck/aks-engine-automation
[ "Apache-2.0" ]
1
zachpuck/aks-engine-automation
[ "Apache-2.0" ]
null
// Code generated by counterfeiter. DO NOT EDIT. package data import ( "context" "sync" "github.com/opctl/sdk-golang/model" ) type FakeProvider struct { TryResolveStub func(ctx context.Context, dataRef string) (model.DataHandle, error) tryResolveMutex sync.RWMutex tryResolveArgsForCall []struct { ctx context.Context dataRef string } tryResolveReturns struct { result1 model.DataHandle result2 error } tryResolveReturnsOnCall map[int]struct { result1 model.DataHandle result2 error } invocations map[string][][]interface{} invocationsMutex sync.RWMutex } func (fake *FakeProvider) TryResolve(ctx context.Context, dataRef string) (model.DataHandle, error) { fake.tryResolveMutex.Lock() ret, specificReturn := fake.tryResolveReturnsOnCall[len(fake.tryResolveArgsForCall)] fake.tryResolveArgsForCall = append(fake.tryResolveArgsForCall, struct { ctx context.Context dataRef string }{ctx, dataRef}) fake.recordInvocation("TryResolve", []interface{}{ctx, dataRef}) fake.tryResolveMutex.Unlock() if fake.TryResolveStub != nil { return fake.TryResolveStub(ctx, dataRef) } if specificReturn { return ret.result1, ret.result2 } return fake.tryResolveReturns.result1, fake.tryResolveReturns.result2 } func (fake *FakeProvider) TryResolveCallCount() int { fake.tryResolveMutex.RLock() defer fake.tryResolveMutex.RUnlock() return len(fake.tryResolveArgsForCall) } func (fake *FakeProvider) TryResolveArgsForCall(i int) (context.Context, string) { fake.tryResolveMutex.RLock() defer fake.tryResolveMutex.RUnlock() return fake.tryResolveArgsForCall[i].ctx, fake.tryResolveArgsForCall[i].dataRef } func (fake *FakeProvider) TryResolveReturns(result1 model.DataHandle, result2 error) { fake.TryResolveStub = nil fake.tryResolveReturns = struct { result1 model.DataHandle result2 error }{result1, result2} } func (fake *FakeProvider) TryResolveReturnsOnCall(i int, result1 model.DataHandle, result2 error) { fake.TryResolveStub = nil if fake.tryResolveReturnsOnCall == nil { fake.tryResolveReturnsOnCall = make(map[int]struct { result1 model.DataHandle result2 error }) } fake.tryResolveReturnsOnCall[i] = struct { result1 model.DataHandle result2 error }{result1, result2} } func (fake *FakeProvider) Invocations() map[string][][]interface{} { fake.invocationsMutex.RLock() defer fake.invocationsMutex.RUnlock() fake.tryResolveMutex.RLock() defer fake.tryResolveMutex.RUnlock() copiedInvocations := map[string][][]interface{}{} for key, value := range fake.invocations { copiedInvocations[key] = value } return copiedInvocations } func (fake *FakeProvider) recordInvocation(key string, args []interface{}) { fake.invocationsMutex.Lock() defer fake.invocationsMutex.Unlock() if fake.invocations == nil { fake.invocations = map[string][][]interface{}{} } if fake.invocations[key] == nil { fake.invocations[key] = [][]interface{}{} } fake.invocations[key] = append(fake.invocations[key], args) } var _ Provider = new(FakeProvider)
28.476636
101
0.755825
0.860408
1,026
5,511
rst
reStructuredText
wteiwewte/hpx
[ "BSL-1.0" ]
1
wteiwewte/hpx
[ "BSL-1.0" ]
1
wteiwewte/hpx
[ "BSL-1.0" ]
null
.. Copyright (C) 2012 Adrian Serio Copyright (C) 2012 Vinay C Amatya Copyright (C) 2015 Hartmut Kaiser Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) .. _examples_fibonacci: ================================================================= Asynchronous execution with ``hpx::async`` and actions: Fibonacci ================================================================= This example extends the :ref:`previous example <examples_fibonacci_local>` by introducing :term:`actions<action>`: functions that can be run remotely. In this example, however, we will still only run the action locally. The mechanism to execute :term:`actions<action>` stays the same: :cpp:func:`hpx::async`. Later examples will demonstrate running actions on remote :term:`localities<locality>` (e.g. :ref:`examples_hello_world`). Setup ===== The source code for this example can be found here: :download:`fibonacci.cpp <../../examples/quickstart/fibonacci.cpp>`. To compile this program, go to your |hpx| build directory (see :ref:`hpx_build_system` for information on configuring and building |hpx|) and enter: .. code-block:: bash make examples.quickstart.fibonacci To run the program type: .. code-block:: bash ./bin/fibonacci This should print (time should be approximate): .. code-block:: text fibonacci(10) == 55 elapsed time: 0.00186288 [s] This run used the default settings, which calculate the tenth element of the Fibonacci sequence. To declare which Fibonacci value you want to calculate, use the ``--n-value`` option. Additionally you can use the :option:`--hpx:threads` option to declare how many OS-threads you wish to use when running the program. For instance, running: .. code-block:: bash ./bin/fibonacci --n-value 20 --hpx:threads 4 Will yield: .. code-block:: text fibonacci(20) == 6765 elapsed time: 0.233827 [s] Walkthrough =========== The code needed to initialize the |hpx| runtime is the same as in the :ref:`previous example <examples_fibonacci_local>`: .. literalinclude:: ../../examples/quickstart/fibonacci.cpp :lines: 77-91 The :cpp:func:`hpx::init` function in ``main()`` starts the runtime system, and invokes ``hpx_main()`` as the first |hpx|-thread. The command line option ``--n-value`` is read in, a timer (:cpp:class:`hpx::util::high_resolution_timer`) is set up to record the time it takes to do the computation, the ``fibonacci`` :term:`action` is invoked synchronously, and the answer is printed out. .. literalinclude:: ../../examples/quickstart/fibonacci.cpp :lines: 54-72 Upon a closer look we see that we've created a ``std::uint64_t`` to store the result of invoking our ``fibonacci_action`` ``fib``. This :term:`action` will launch synchronously (as the work done inside of the :term:`action` will be asynchronous itself) and return the result of the Fibonacci sequence. But wait, what is an :term:`action`? And what is this ``fibonacci_action``? For starters, an :term:`action` is a wrapper for a function. By wrapping functions, |hpx| can send packets of work to different processing units. These vehicles allow users to calculate work now, later, or on certain nodes. The first argument to our :term:`action` is the location where the :term:`action` should be run. In this case, we just want to run the :term:`action` on the machine that we are currently on, so we use :cpp:func:`hpx::find_here` that we wish to calculate. To further understand this we turn to the code to find where ``fibonacci_action`` was defined: .. literalinclude:: ../../examples/quickstart/fibonacci.cpp :lines: 20-25 A plain :term:`action` is the most basic form of :term:`action`. Plain :term:`action`\ s wrap simple global functions which are not associated with any particular object (we will discuss other types of :term:`action`\ s in :ref:`examples_accumulator`). In this block of code the function ``fibonacci()`` is declared. After the declaration, the function is wrapped in an :term:`action` in the declaration :c:macro:`HPX_PLAIN_ACTION`. This function takes two arguments: the name of the function that is to be wrapped and the name of the :term:`action` that you are creating. This picture should now start making sense. The function ``fibonacci()`` is wrapped in an :term:`action` ``fibonacci_action``, which was run synchronously but created asynchronous work, then returns a ``std::uint64_t`` representing the result of the function ``fibonacci()``. Now, let's look at the function ``fibonacci()``: .. literalinclude:: ../../examples/quickstart/fibonacci.cpp :lines: 30-49 This block of code is much more straightforward and should look familiar from the :ref:`previous example <examples_fibonacci_local>`. First, ``if (n < 2)``, meaning n is 0 or 1, then we return 0 or 1 (recall the first element of the Fibonacci sequence is 0 and the second is 1). If n is larger than 1 we spawn two tasks using :cpp:func:`hpx::async`. Each of these futures represents an asynchronous, recursive call to ``fibonacci``. As previously we wait for both futures to finish computing, get the results, add them together, and return that value as our result. The recursive call tree will continue until n is equal to 0 or 1, at which point the value can be returned because it is implicitly known. When this termination condition is reached, the futures can then be added up, producing the n-th value of the Fibonacci sequence.
42.068702
80
0.727817
0.830126
1,674
153
scm
Scheme
deladurantayefrancis/gambit-1
[ "Apache-2.0" ]
41
deladurantayefrancis/gambit-1
[ "Apache-2.0" ]
133
deladurantayefrancis/gambit-1
[ "Apache-2.0" ]
4
(declare (extended-bindings) (not constant-fold) (not safe)) (define s (##make-string 5 #\!)) (println (##eq? s (##string-set! s 3 #\x))) (println s)
19.125
60
0.607843
0.825238
65
3,658
rst
reStructuredText
ssfdust/quart-trio
[ "MIT" ]
1
ssfdust/quart-trio
[ "MIT" ]
null
ssfdust/quart-trio
[ "MIT" ]
null
Quart-Trio ========== |Build Status| |pypi| |python| |license| Quart-Trio is an extension for `Quart <https://gitlab.com/pgjones/quart>`_ to support the `Trio <https://trio.readthedocs.io/en/latest/>`_ event loop. This is an alternative to using the asyncio event loop present in the Python standard library and supported by default in Quart. Usage ----- To enable trio support, simply use the ``QuartTrio`` app class rather than the ``Quart`` app class, .. code-block:: python from quart_trio import QuartTrio app = QuartTrio(__name__) @app.route('/') async def index(): await trio.sleep(0.01) async with trio.open_nursery as nursery: nursery.start_soon(...) return ... A more concrete example of Quart Trio in usage, which also demonstrates the clarity of the Trio API is given below. This example demonstrates a simple broadcast to all chat server with a server initiated heartbeat. .. code-block:: python app = QuartTrio(__name__) connections = set() async def ws_receive(): while True: data = await websocket.receive() for connection in connections: await connection.send(data) async def ws_send(): while True: await trio.sleep(1) await websocket.send("Heatbeat") @app.websocket('/ws') async def ws(): connections.add(websocket._get_current_object()) async with trio.open_nursery() as nursery: nursery.start_soon(ws_receive) nursery.start_soon(ws_send) connections.remove(websocket._get_current_object()) Background Tasks ~~~~~~~~~~~~~~~~ To start a task in Trio you need a nursery, for a background task you need a nursery that exists after the request has completed. In Quart-Trio this nursery exists on the app, .. code-block:: python @app.route("/") async def trigger_job(): app.nursery.start_soon(background_task) return "Started", 201 MultiErrors ~~~~~~~~~~~ MultiErrors raised during the handling of a request or websocket are caught and the exceptions contianed are checked against the handlers, the first handled exception will be returned. This may lead to non-deterministic code in that it will depend on which error is raised first (in the case that multi errors can be handled). Deployment ---------- To run Quart-Trio in production you should use an ASGI server that supports Trio. At the moment only `Hypercorn <https://gitlab.com/pgjones/hypercorn>`_ does so. Contributing ------------ Quart-Trio is developed on `GitLab <https://gitlab.com/pgjones/quart-trio>`_. You are very welcome to open `issues <https://gitlab.com/pgjones/quart-trio/issues>`_ or propose `merge requests <https://gitlab.com/pgjones/quart-trio/merge_requests>`_. Testing ~~~~~~~ The best way to test Quart-Trio is with Tox, .. code-block:: console $ pip install tox $ tox this will check the code style and run the tests. Help ---- This README is the best place to start, after that try opening an `issue <https://gitlab.com/pgjones/quart-trio/issues>`_. .. |Build Status| image:: https://gitlab.com/pgjones/quart-trio/badges/master/build.svg :target: https://gitlab.com/pgjones/quart-trio/commits/master .. |pypi| image:: https://img.shields.io/pypi/v/quart-trio.svg :target: https://pypi.python.org/pypi/Quart-Trio/ .. |python| image:: https://img.shields.io/pypi/pyversions/quart-trio.svg :target: https://pypi.python.org/pypi/Quart-Trio/ .. |license| image:: https://img.shields.io/badge/license-MIT-blue.svg :target: https://gitlab.com/pgjones/quart-trio/blob/master/LICENSE
28.138462
87
0.696282
0.807359
1,211
150
sql
SQL
Stanford-PERTS/triton
[ "CC0-1.0" ]
null
Stanford-PERTS/triton
[ "CC0-1.0" ]
null
Stanford-PERTS/triton
[ "CC0-1.0" ]
null
/* https://github.com/PERTS/triton/issues/1701 */ ALTER TABLE `response` DROP COLUMN `private`; ALTER TABLE `response_backup` DROP COLUMN `private`;
30
52
0.746667
0.88
57
514
hs
Haskell
Neo03/Functor
[ "BSD-3-Clause" ]
null
Neo03/Functor
[ "BSD-3-Clause" ]
null
Neo03/Functor
[ "BSD-3-Clause" ]
null
module Main where import Lib import ReplaceEx main :: IO () main = do putStr "lms is: " print lms putStr "replaceWithP' lms: " print (replaceWithP' lms) putStr "liftedReplace lms: " print (liftedReplace lms) putStr "liftedReplace' lms: " print (liftedReplace' lms) putStr "twiceLifted lms: " print (twiceLifted lms) putStr "twiceLifted' lms: " print (twiceLifted' lms) putStr "triceLifted lms: " print (triceLifted lms) putStr "triceLifted' lms: " print (triceLifted' lms)
16.580645
31
0.68677
0.86
228
711
asm
Assembly
ckrause/loda-programs
[ "Apache-2.0" ]
11
ckrause/loda-programs
[ "Apache-2.0" ]
9
ckrause/loda-programs
[ "Apache-2.0" ]
3
; A008528: Coordination sequence for 4-dimensional RR-centered di-isohexagonal orthogonal lattice. ; 1,18,102,318,732,1410,2418,3822,5688,8082,11070,14718,19092,24258,30282,37230,45168,54162,64278,75582,88140,102018,117282,133998,152232,172050,193518,216702,241668,268482,297210,327918,360672,395538,432582,471870,513468,557442,603858,652782,704280,758418,815262,874878,937332,1002690,1071018,1142382,1216848,1294482,1375350,1459518,1547052,1638018,1732482,1830510,1932168,2037522,2146638,2259582,2376420,2497218,2622042,2750958,2884032,3021330,3162918,3308862,3459228,3614082,3773490,3937518,4106232 pow $1,$0 mov $4,$0 mul $0,7 add $1,$0 mov $3,$4 mul $3,$4 mul $3,$4 mov $2,$3 mul $2,11 add $1,$2 mov $0,$1
47.4
501
0.796062
0.808095
604
191,389
sas
SAS
JackyCSer/MyNDPlanner
[ "Apache-2.0" ]
1
JackyCSer/MyNDPlanner
[ "Apache-2.0" ]
null
JackyCSer/MyNDPlanner
[ "Apache-2.0" ]
1
begin_version 3.POND end_version begin_metric 0 end_metric 29 begin_variable var0 -1 2 Atom fire(l10) Atom nfire(l10) end_variable begin_variable var1 -1 2 Atom fire(l3) Atom nfire(l3) end_variable begin_variable var2 -1 2 Atom fire(l6) Atom nfire(l6) end_variable begin_variable var3 -1 2 Atom fire(l7) Atom nfire(l7) end_variable begin_variable var4 -1 10 Atom fire-unit-at(f1, l1) Atom fire-unit-at(f1, l10) Atom fire-unit-at(f1, l2) Atom fire-unit-at(f1, l3) Atom fire-unit-at(f1, l4) Atom fire-unit-at(f1, l5) Atom fire-unit-at(f1, l6) Atom fire-unit-at(f1, l7) Atom fire-unit-at(f1, l8) Atom fire-unit-at(f1, l9) end_variable begin_variable var5 -1 10 Atom fire-unit-at(f2, l1) Atom fire-unit-at(f2, l10) Atom fire-unit-at(f2, l2) Atom fire-unit-at(f2, l3) Atom fire-unit-at(f2, l4) Atom fire-unit-at(f2, l5) Atom fire-unit-at(f2, l6) Atom fire-unit-at(f2, l7) Atom fire-unit-at(f2, l8) Atom fire-unit-at(f2, l9) end_variable begin_variable var6 -1 10 Atom fire-unit-at(f3, l1) Atom fire-unit-at(f3, l10) Atom fire-unit-at(f3, l2) Atom fire-unit-at(f3, l3) Atom fire-unit-at(f3, l4) Atom fire-unit-at(f3, l5) Atom fire-unit-at(f3, l6) Atom fire-unit-at(f3, l7) Atom fire-unit-at(f3, l8) Atom fire-unit-at(f3, l9) end_variable begin_variable var7 -1 10 Atom fire-unit-at(f4, l1) Atom fire-unit-at(f4, l10) Atom fire-unit-at(f4, l2) Atom fire-unit-at(f4, l3) Atom fire-unit-at(f4, l4) Atom fire-unit-at(f4, l5) Atom fire-unit-at(f4, l6) Atom fire-unit-at(f4, l7) Atom fire-unit-at(f4, l8) Atom fire-unit-at(f4, l9) end_variable begin_variable var8 -1 15 Atom have-victim-in-unit(v1, m1) Atom have-victim-in-unit(v1, m2) Atom have-victim-in-unit(v1, m3) Atom have-victim-in-unit(v1, m4) Atom have-victim-in-unit(v1, m5) Atom victim-at(v1, l1) Atom victim-at(v1, l10) Atom victim-at(v1, l2) Atom victim-at(v1, l3) Atom victim-at(v1, l4) Atom victim-at(v1, l5) Atom victim-at(v1, l6) Atom victim-at(v1, l7) Atom victim-at(v1, l8) Atom victim-at(v1, l9) end_variable begin_variable var9 -1 15 Atom have-victim-in-unit(v2, m1) Atom have-victim-in-unit(v2, m2) Atom have-victim-in-unit(v2, m3) Atom have-victim-in-unit(v2, m4) Atom have-victim-in-unit(v2, m5) Atom victim-at(v2, l1) Atom victim-at(v2, l10) Atom victim-at(v2, l2) Atom victim-at(v2, l3) Atom victim-at(v2, l4) Atom victim-at(v2, l5) Atom victim-at(v2, l6) Atom victim-at(v2, l7) Atom victim-at(v2, l8) Atom victim-at(v2, l9) end_variable begin_variable var10 -1 15 Atom have-victim-in-unit(v3, m1) Atom have-victim-in-unit(v3, m2) Atom have-victim-in-unit(v3, m3) Atom have-victim-in-unit(v3, m4) Atom have-victim-in-unit(v3, m5) Atom victim-at(v3, l1) Atom victim-at(v3, l10) Atom victim-at(v3, l2) Atom victim-at(v3, l3) Atom victim-at(v3, l4) Atom victim-at(v3, l5) Atom victim-at(v3, l6) Atom victim-at(v3, l7) Atom victim-at(v3, l8) Atom victim-at(v3, l9) end_variable begin_variable var11 -1 15 Atom have-victim-in-unit(v4, m1) Atom have-victim-in-unit(v4, m2) Atom have-victim-in-unit(v4, m3) Atom have-victim-in-unit(v4, m4) Atom have-victim-in-unit(v4, m5) Atom victim-at(v4, l1) Atom victim-at(v4, l10) Atom victim-at(v4, l2) Atom victim-at(v4, l3) Atom victim-at(v4, l4) Atom victim-at(v4, l5) Atom victim-at(v4, l6) Atom victim-at(v4, l7) Atom victim-at(v4, l8) Atom victim-at(v4, l9) end_variable begin_variable var12 -1 2 Atom have-water(f1) NegatedAtom have-water(f1) end_variable begin_variable var13 -1 2 Atom have-water(f2) NegatedAtom have-water(f2) end_variable begin_variable var14 -1 2 Atom have-water(f3) NegatedAtom have-water(f3) end_variable begin_variable var15 -1 2 Atom have-water(f4) NegatedAtom have-water(f4) end_variable begin_variable var16 -1 10 Atom medical-unit-at(m1, l1) Atom medical-unit-at(m1, l10) Atom medical-unit-at(m1, l2) Atom medical-unit-at(m1, l3) Atom medical-unit-at(m1, l4) Atom medical-unit-at(m1, l5) Atom medical-unit-at(m1, l6) Atom medical-unit-at(m1, l7) Atom medical-unit-at(m1, l8) Atom medical-unit-at(m1, l9) end_variable begin_variable var17 -1 10 Atom medical-unit-at(m2, l1) Atom medical-unit-at(m2, l10) Atom medical-unit-at(m2, l2) Atom medical-unit-at(m2, l3) Atom medical-unit-at(m2, l4) Atom medical-unit-at(m2, l5) Atom medical-unit-at(m2, l6) Atom medical-unit-at(m2, l7) Atom medical-unit-at(m2, l8) Atom medical-unit-at(m2, l9) end_variable begin_variable var18 -1 10 Atom medical-unit-at(m3, l1) Atom medical-unit-at(m3, l10) Atom medical-unit-at(m3, l2) Atom medical-unit-at(m3, l3) Atom medical-unit-at(m3, l4) Atom medical-unit-at(m3, l5) Atom medical-unit-at(m3, l6) Atom medical-unit-at(m3, l7) Atom medical-unit-at(m3, l8) Atom medical-unit-at(m3, l9) end_variable begin_variable var19 -1 10 Atom medical-unit-at(m4, l1) Atom medical-unit-at(m4, l10) Atom medical-unit-at(m4, l2) Atom medical-unit-at(m4, l3) Atom medical-unit-at(m4, l4) Atom medical-unit-at(m4, l5) Atom medical-unit-at(m4, l6) Atom medical-unit-at(m4, l7) Atom medical-unit-at(m4, l8) Atom medical-unit-at(m4, l9) end_variable begin_variable var20 -1 10 Atom medical-unit-at(m5, l1) Atom medical-unit-at(m5, l10) Atom medical-unit-at(m5, l2) Atom medical-unit-at(m5, l3) Atom medical-unit-at(m5, l4) Atom medical-unit-at(m5, l5) Atom medical-unit-at(m5, l6) Atom medical-unit-at(m5, l7) Atom medical-unit-at(m5, l8) Atom medical-unit-at(m5, l9) end_variable begin_variable var21 -1 2 Atom victim-status(v1, healthy) NegatedAtom victim-status(v1, healthy) end_variable begin_variable var22 -1 2 Atom victim-status(v1, hurt) NegatedAtom victim-status(v1, hurt) end_variable begin_variable var23 -1 2 Atom victim-status(v2, healthy) NegatedAtom victim-status(v2, healthy) end_variable begin_variable var24 -1 2 Atom victim-status(v2, hurt) NegatedAtom victim-status(v2, hurt) end_variable begin_variable var25 -1 2 Atom victim-status(v3, dying) NegatedAtom victim-status(v3, dying) end_variable begin_variable var26 -1 2 Atom victim-status(v3, healthy) NegatedAtom victim-status(v3, healthy) end_variable begin_variable var27 -1 2 Atom victim-status(v4, dying) NegatedAtom victim-status(v4, dying) end_variable begin_variable var28 -1 2 Atom victim-status(v4, healthy) NegatedAtom victim-status(v4, healthy) end_variable 17 begin_mutex_group 2 0 0 0 1 end_mutex_group begin_mutex_group 2 1 0 1 1 end_mutex_group begin_mutex_group 2 2 0 2 1 end_mutex_group begin_mutex_group 2 3 0 3 1 end_mutex_group begin_mutex_group 10 4 0 4 1 4 2 4 3 4 4 4 5 4 6 4 7 4 8 4 9 end_mutex_group begin_mutex_group 10 5 0 5 1 5 2 5 3 5 4 5 5 5 6 5 7 5 8 5 9 end_mutex_group begin_mutex_group 10 6 0 6 1 6 2 6 3 6 4 6 5 6 6 6 7 6 8 6 9 end_mutex_group begin_mutex_group 10 7 0 7 1 7 2 7 3 7 4 7 5 7 6 7 7 7 8 7 9 end_mutex_group begin_mutex_group 15 8 0 8 1 8 2 8 3 8 4 8 5 8 6 8 7 8 8 8 9 8 10 8 11 8 12 8 13 8 14 end_mutex_group begin_mutex_group 15 9 0 9 1 9 2 9 3 9 4 9 5 9 6 9 7 9 8 9 9 9 10 9 11 9 12 9 13 9 14 end_mutex_group begin_mutex_group 15 10 0 10 1 10 2 10 3 10 4 10 5 10 6 10 7 10 8 10 9 10 10 10 11 10 12 10 13 10 14 end_mutex_group begin_mutex_group 15 11 0 11 1 11 2 11 3 11 4 11 5 11 6 11 7 11 8 11 9 11 10 11 11 11 12 11 13 11 14 end_mutex_group begin_mutex_group 10 16 0 16 1 16 2 16 3 16 4 16 5 16 6 16 7 16 8 16 9 end_mutex_group begin_mutex_group 10 17 0 17 1 17 2 17 3 17 4 17 5 17 6 17 7 17 8 17 9 end_mutex_group begin_mutex_group 10 18 0 18 1 18 2 18 3 18 4 18 5 18 6 18 7 18 8 18 9 end_mutex_group begin_mutex_group 10 19 0 19 1 19 2 19 3 19 4 19 5 19 6 19 7 19 8 19 9 end_mutex_group begin_mutex_group 10 20 0 20 1 20 2 20 3 20 4 20 5 20 6 20 7 20 8 20 9 end_mutex_group begin_state 29 0 0 1 0 2 0 3 0 4 6 5 5 6 3 7 2 16 0 17 9 18 8 19 7 20 5 8 11 9 5 10 14 11 9 22 0 24 0 25 0 27 0 12 1 13 1 14 1 15 1 21 1 23 1 26 1 28 1 0 0 end_state begin_goal 8 0 1 1 1 2 1 3 1 21 0 23 0 26 0 28 0 end_goal 2273 begin_operator drive-fire-unit f1 l1 l10 1 0 1 1 1 0 4 0 1 0 0 end_operator begin_operator drive-fire-unit f1 l1 l2 0 1 1 0 4 0 2 0 0 end_operator begin_operator drive-fire-unit f1 l1 l3 1 1 1 1 1 0 4 0 3 0 0 end_operator begin_operator drive-fire-unit f1 l1 l4 0 1 1 0 4 0 4 0 0 end_operator begin_operator drive-fire-unit f1 l1 l5 0 1 1 0 4 0 5 0 0 end_operator begin_operator drive-fire-unit f1 l1 l7 1 3 1 1 1 0 4 0 7 0 0 end_operator begin_operator drive-fire-unit f1 l1 l8 0 1 1 0 4 0 8 0 0 end_operator begin_operator drive-fire-unit f1 l1 l9 0 1 1 0 4 0 9 0 0 end_operator begin_operator drive-fire-unit f1 l10 l1 0 1 1 0 4 1 0 0 0 end_operator begin_operator drive-fire-unit f1 l10 l2 0 1 1 0 4 1 2 0 0 end_operator begin_operator drive-fire-unit f1 l10 l3 1 1 1 1 1 0 4 1 3 0 0 end_operator begin_operator drive-fire-unit f1 l10 l4 0 1 1 0 4 1 4 0 0 end_operator begin_operator drive-fire-unit f1 l10 l5 0 1 1 0 4 1 5 0 0 end_operator begin_operator drive-fire-unit f1 l10 l6 1 2 1 1 1 0 4 1 6 0 0 end_operator begin_operator drive-fire-unit f1 l10 l7 1 3 1 1 1 0 4 1 7 0 0 end_operator begin_operator drive-fire-unit f1 l2 l1 0 1 1 0 4 2 0 0 0 end_operator begin_operator drive-fire-unit f1 l2 l10 1 0 1 1 1 0 4 2 1 0 0 end_operator begin_operator drive-fire-unit f1 l2 l4 0 1 1 0 4 2 4 0 0 end_operator begin_operator drive-fire-unit f1 l2 l5 0 1 1 0 4 2 5 0 0 end_operator begin_operator drive-fire-unit f1 l2 l7 1 3 1 1 1 0 4 2 7 0 0 end_operator begin_operator drive-fire-unit f1 l2 l8 0 1 1 0 4 2 8 0 0 end_operator begin_operator drive-fire-unit f1 l2 l9 0 1 1 0 4 2 9 0 0 end_operator begin_operator drive-fire-unit f1 l3 l1 0 1 1 0 4 3 0 0 0 end_operator begin_operator drive-fire-unit f1 l3 l10 1 0 1 1 1 0 4 3 1 0 0 end_operator begin_operator drive-fire-unit f1 l3 l4 0 1 1 0 4 3 4 0 0 end_operator begin_operator drive-fire-unit f1 l3 l5 0 1 1 0 4 3 5 0 0 end_operator begin_operator drive-fire-unit f1 l3 l7 1 3 1 1 1 0 4 3 7 0 0 end_operator begin_operator drive-fire-unit f1 l3 l8 0 1 1 0 4 3 8 0 0 end_operator begin_operator drive-fire-unit f1 l3 l9 0 1 1 0 4 3 9 0 0 end_operator begin_operator drive-fire-unit f1 l4 l1 0 1 1 0 4 4 0 0 0 end_operator begin_operator drive-fire-unit f1 l4 l10 1 0 1 1 1 0 4 4 1 0 0 end_operator begin_operator drive-fire-unit f1 l4 l2 0 1 1 0 4 4 2 0 0 end_operator begin_operator drive-fire-unit f1 l4 l3 1 1 1 1 1 0 4 4 3 0 0 end_operator begin_operator drive-fire-unit f1 l4 l5 0 1 1 0 4 4 5 0 0 end_operator begin_operator drive-fire-unit f1 l4 l6 1 2 1 1 1 0 4 4 6 0 0 end_operator begin_operator drive-fire-unit f1 l4 l7 1 3 1 1 1 0 4 4 7 0 0 end_operator begin_operator drive-fire-unit f1 l4 l8 0 1 1 0 4 4 8 0 0 end_operator begin_operator drive-fire-unit f1 l4 l9 0 1 1 0 4 4 9 0 0 end_operator begin_operator drive-fire-unit f1 l5 l1 0 1 1 0 4 5 0 0 0 end_operator begin_operator drive-fire-unit f1 l5 l10 1 0 1 1 1 0 4 5 1 0 0 end_operator begin_operator drive-fire-unit f1 l5 l2 0 1 1 0 4 5 2 0 0 end_operator begin_operator drive-fire-unit f1 l5 l3 1 1 1 1 1 0 4 5 3 0 0 end_operator begin_operator drive-fire-unit f1 l5 l4 0 1 1 0 4 5 4 0 0 end_operator begin_operator drive-fire-unit f1 l5 l6 1 2 1 1 1 0 4 5 6 0 0 end_operator begin_operator drive-fire-unit f1 l5 l7 1 3 1 1 1 0 4 5 7 0 0 end_operator begin_operator drive-fire-unit f1 l5 l8 0 1 1 0 4 5 8 0 0 end_operator begin_operator drive-fire-unit f1 l5 l9 0 1 1 0 4 5 9 0 0 end_operator begin_operator drive-fire-unit f1 l6 l10 1 0 1 1 1 0 4 6 1 0 0 end_operator begin_operator drive-fire-unit f1 l6 l4 0 1 1 0 4 6 4 0 0 end_operator begin_operator drive-fire-unit f1 l6 l5 0 1 1 0 4 6 5 0 0 end_operator begin_operator drive-fire-unit f1 l6 l7 1 3 1 1 1 0 4 6 7 0 0 end_operator begin_operator drive-fire-unit f1 l6 l8 0 1 1 0 4 6 8 0 0 end_operator begin_operator drive-fire-unit f1 l6 l9 0 1 1 0 4 6 9 0 0 end_operator begin_operator drive-fire-unit f1 l7 l1 0 1 1 0 4 7 0 0 0 end_operator begin_operator drive-fire-unit f1 l7 l10 1 0 1 1 1 0 4 7 1 0 0 end_operator begin_operator drive-fire-unit f1 l7 l2 0 1 1 0 4 7 2 0 0 end_operator begin_operator drive-fire-unit f1 l7 l3 1 1 1 1 1 0 4 7 3 0 0 end_operator begin_operator drive-fire-unit f1 l7 l4 0 1 1 0 4 7 4 0 0 end_operator begin_operator drive-fire-unit f1 l7 l5 0 1 1 0 4 7 5 0 0 end_operator begin_operator drive-fire-unit f1 l7 l6 1 2 1 1 1 0 4 7 6 0 0 end_operator begin_operator drive-fire-unit f1 l7 l8 0 1 1 0 4 7 8 0 0 end_operator begin_operator drive-fire-unit f1 l7 l9 0 1 1 0 4 7 9 0 0 end_operator begin_operator drive-fire-unit f1 l8 l1 0 1 1 0 4 8 0 0 0 end_operator begin_operator drive-fire-unit f1 l8 l2 0 1 1 0 4 8 2 0 0 end_operator begin_operator drive-fire-unit f1 l8 l3 1 1 1 1 1 0 4 8 3 0 0 end_operator begin_operator drive-fire-unit f1 l8 l4 0 1 1 0 4 8 4 0 0 end_operator begin_operator drive-fire-unit f1 l8 l5 0 1 1 0 4 8 5 0 0 end_operator begin_operator drive-fire-unit f1 l8 l6 1 2 1 1 1 0 4 8 6 0 0 end_operator begin_operator drive-fire-unit f1 l8 l7 1 3 1 1 1 0 4 8 7 0 0 end_operator begin_operator drive-fire-unit f1 l9 l1 0 1 1 0 4 9 0 0 0 end_operator begin_operator drive-fire-unit f1 l9 l2 0 1 1 0 4 9 2 0 0 end_operator begin_operator drive-fire-unit f1 l9 l3 1 1 1 1 1 0 4 9 3 0 0 end_operator begin_operator drive-fire-unit f1 l9 l4 0 1 1 0 4 9 4 0 0 end_operator begin_operator drive-fire-unit f1 l9 l5 0 1 1 0 4 9 5 0 0 end_operator begin_operator drive-fire-unit f1 l9 l6 1 2 1 1 1 0 4 9 6 0 0 end_operator begin_operator drive-fire-unit f1 l9 l7 1 3 1 1 1 0 4 9 7 0 0 end_operator begin_operator drive-fire-unit f2 l1 l10 1 0 1 1 1 0 5 0 1 0 0 end_operator begin_operator drive-fire-unit f2 l1 l2 0 1 1 0 5 0 2 0 0 end_operator begin_operator drive-fire-unit f2 l1 l3 1 1 1 1 1 0 5 0 3 0 0 end_operator begin_operator drive-fire-unit f2 l1 l4 0 1 1 0 5 0 4 0 0 end_operator begin_operator drive-fire-unit f2 l1 l5 0 1 1 0 5 0 5 0 0 end_operator begin_operator drive-fire-unit f2 l1 l7 1 3 1 1 1 0 5 0 7 0 0 end_operator begin_operator drive-fire-unit f2 l1 l8 0 1 1 0 5 0 8 0 0 end_operator begin_operator drive-fire-unit f2 l1 l9 0 1 1 0 5 0 9 0 0 end_operator begin_operator drive-fire-unit f2 l10 l1 0 1 1 0 5 1 0 0 0 end_operator begin_operator drive-fire-unit f2 l10 l2 0 1 1 0 5 1 2 0 0 end_operator begin_operator drive-fire-unit f2 l10 l3 1 1 1 1 1 0 5 1 3 0 0 end_operator begin_operator drive-fire-unit f2 l10 l4 0 1 1 0 5 1 4 0 0 end_operator begin_operator drive-fire-unit f2 l10 l5 0 1 1 0 5 1 5 0 0 end_operator begin_operator drive-fire-unit f2 l10 l6 1 2 1 1 1 0 5 1 6 0 0 end_operator begin_operator drive-fire-unit f2 l10 l7 1 3 1 1 1 0 5 1 7 0 0 end_operator begin_operator drive-fire-unit f2 l2 l1 0 1 1 0 5 2 0 0 0 end_operator begin_operator drive-fire-unit f2 l2 l10 1 0 1 1 1 0 5 2 1 0 0 end_operator begin_operator drive-fire-unit f2 l2 l4 0 1 1 0 5 2 4 0 0 end_operator begin_operator drive-fire-unit f2 l2 l5 0 1 1 0 5 2 5 0 0 end_operator begin_operator drive-fire-unit f2 l2 l7 1 3 1 1 1 0 5 2 7 0 0 end_operator begin_operator drive-fire-unit f2 l2 l8 0 1 1 0 5 2 8 0 0 end_operator begin_operator drive-fire-unit f2 l2 l9 0 1 1 0 5 2 9 0 0 end_operator begin_operator drive-fire-unit f2 l3 l1 0 1 1 0 5 3 0 0 0 end_operator begin_operator drive-fire-unit f2 l3 l10 1 0 1 1 1 0 5 3 1 0 0 end_operator begin_operator drive-fire-unit f2 l3 l4 0 1 1 0 5 3 4 0 0 end_operator begin_operator drive-fire-unit f2 l3 l5 0 1 1 0 5 3 5 0 0 end_operator begin_operator drive-fire-unit f2 l3 l7 1 3 1 1 1 0 5 3 7 0 0 end_operator begin_operator drive-fire-unit f2 l3 l8 0 1 1 0 5 3 8 0 0 end_operator begin_operator drive-fire-unit f2 l3 l9 0 1 1 0 5 3 9 0 0 end_operator begin_operator drive-fire-unit f2 l4 l1 0 1 1 0 5 4 0 0 0 end_operator begin_operator drive-fire-unit f2 l4 l10 1 0 1 1 1 0 5 4 1 0 0 end_operator begin_operator drive-fire-unit f2 l4 l2 0 1 1 0 5 4 2 0 0 end_operator begin_operator drive-fire-unit f2 l4 l3 1 1 1 1 1 0 5 4 3 0 0 end_operator begin_operator drive-fire-unit f2 l4 l5 0 1 1 0 5 4 5 0 0 end_operator begin_operator drive-fire-unit f2 l4 l6 1 2 1 1 1 0 5 4 6 0 0 end_operator begin_operator drive-fire-unit f2 l4 l7 1 3 1 1 1 0 5 4 7 0 0 end_operator begin_operator drive-fire-unit f2 l4 l8 0 1 1 0 5 4 8 0 0 end_operator begin_operator drive-fire-unit f2 l4 l9 0 1 1 0 5 4 9 0 0 end_operator begin_operator drive-fire-unit f2 l5 l1 0 1 1 0 5 5 0 0 0 end_operator begin_operator drive-fire-unit f2 l5 l10 1 0 1 1 1 0 5 5 1 0 0 end_operator begin_operator drive-fire-unit f2 l5 l2 0 1 1 0 5 5 2 0 0 end_operator begin_operator drive-fire-unit f2 l5 l3 1 1 1 1 1 0 5 5 3 0 0 end_operator begin_operator drive-fire-unit f2 l5 l4 0 1 1 0 5 5 4 0 0 end_operator begin_operator drive-fire-unit f2 l5 l6 1 2 1 1 1 0 5 5 6 0 0 end_operator begin_operator drive-fire-unit f2 l5 l7 1 3 1 1 1 0 5 5 7 0 0 end_operator begin_operator drive-fire-unit f2 l5 l8 0 1 1 0 5 5 8 0 0 end_operator begin_operator drive-fire-unit f2 l5 l9 0 1 1 0 5 5 9 0 0 end_operator begin_operator drive-fire-unit f2 l6 l10 1 0 1 1 1 0 5 6 1 0 0 end_operator begin_operator drive-fire-unit f2 l6 l4 0 1 1 0 5 6 4 0 0 end_operator begin_operator drive-fire-unit f2 l6 l5 0 1 1 0 5 6 5 0 0 end_operator begin_operator drive-fire-unit f2 l6 l7 1 3 1 1 1 0 5 6 7 0 0 end_operator begin_operator drive-fire-unit f2 l6 l8 0 1 1 0 5 6 8 0 0 end_operator begin_operator drive-fire-unit f2 l6 l9 0 1 1 0 5 6 9 0 0 end_operator begin_operator drive-fire-unit f2 l7 l1 0 1 1 0 5 7 0 0 0 end_operator begin_operator drive-fire-unit f2 l7 l10 1 0 1 1 1 0 5 7 1 0 0 end_operator begin_operator drive-fire-unit f2 l7 l2 0 1 1 0 5 7 2 0 0 end_operator begin_operator drive-fire-unit f2 l7 l3 1 1 1 1 1 0 5 7 3 0 0 end_operator begin_operator drive-fire-unit f2 l7 l4 0 1 1 0 5 7 4 0 0 end_operator begin_operator drive-fire-unit f2 l7 l5 0 1 1 0 5 7 5 0 0 end_operator begin_operator drive-fire-unit f2 l7 l6 1 2 1 1 1 0 5 7 6 0 0 end_operator begin_operator drive-fire-unit f2 l7 l8 0 1 1 0 5 7 8 0 0 end_operator begin_operator drive-fire-unit f2 l7 l9 0 1 1 0 5 7 9 0 0 end_operator begin_operator drive-fire-unit f2 l8 l1 0 1 1 0 5 8 0 0 0 end_operator begin_operator drive-fire-unit f2 l8 l2 0 1 1 0 5 8 2 0 0 end_operator begin_operator drive-fire-unit f2 l8 l3 1 1 1 1 1 0 5 8 3 0 0 end_operator begin_operator drive-fire-unit f2 l8 l4 0 1 1 0 5 8 4 0 0 end_operator begin_operator drive-fire-unit f2 l8 l5 0 1 1 0 5 8 5 0 0 end_operator begin_operator drive-fire-unit f2 l8 l6 1 2 1 1 1 0 5 8 6 0 0 end_operator begin_operator drive-fire-unit f2 l8 l7 1 3 1 1 1 0 5 8 7 0 0 end_operator begin_operator drive-fire-unit f2 l9 l1 0 1 1 0 5 9 0 0 0 end_operator begin_operator drive-fire-unit f2 l9 l2 0 1 1 0 5 9 2 0 0 end_operator begin_operator drive-fire-unit f2 l9 l3 1 1 1 1 1 0 5 9 3 0 0 end_operator begin_operator drive-fire-unit f2 l9 l4 0 1 1 0 5 9 4 0 0 end_operator begin_operator drive-fire-unit f2 l9 l5 0 1 1 0 5 9 5 0 0 end_operator begin_operator drive-fire-unit f2 l9 l6 1 2 1 1 1 0 5 9 6 0 0 end_operator begin_operator drive-fire-unit f2 l9 l7 1 3 1 1 1 0 5 9 7 0 0 end_operator begin_operator drive-fire-unit f3 l1 l10 1 0 1 1 1 0 6 0 1 0 0 end_operator begin_operator drive-fire-unit f3 l1 l2 0 1 1 0 6 0 2 0 0 end_operator begin_operator drive-fire-unit f3 l1 l3 1 1 1 1 1 0 6 0 3 0 0 end_operator begin_operator drive-fire-unit f3 l1 l4 0 1 1 0 6 0 4 0 0 end_operator begin_operator drive-fire-unit f3 l1 l5 0 1 1 0 6 0 5 0 0 end_operator begin_operator drive-fire-unit f3 l1 l7 1 3 1 1 1 0 6 0 7 0 0 end_operator begin_operator drive-fire-unit f3 l1 l8 0 1 1 0 6 0 8 0 0 end_operator begin_operator drive-fire-unit f3 l1 l9 0 1 1 0 6 0 9 0 0 end_operator begin_operator drive-fire-unit f3 l10 l1 0 1 1 0 6 1 0 0 0 end_operator begin_operator drive-fire-unit f3 l10 l2 0 1 1 0 6 1 2 0 0 end_operator begin_operator drive-fire-unit f3 l10 l3 1 1 1 1 1 0 6 1 3 0 0 end_operator begin_operator drive-fire-unit f3 l10 l4 0 1 1 0 6 1 4 0 0 end_operator begin_operator drive-fire-unit f3 l10 l5 0 1 1 0 6 1 5 0 0 end_operator begin_operator drive-fire-unit f3 l10 l6 1 2 1 1 1 0 6 1 6 0 0 end_operator begin_operator drive-fire-unit f3 l10 l7 1 3 1 1 1 0 6 1 7 0 0 end_operator begin_operator drive-fire-unit f3 l2 l1 0 1 1 0 6 2 0 0 0 end_operator begin_operator drive-fire-unit f3 l2 l10 1 0 1 1 1 0 6 2 1 0 0 end_operator begin_operator drive-fire-unit f3 l2 l4 0 1 1 0 6 2 4 0 0 end_operator begin_operator drive-fire-unit f3 l2 l5 0 1 1 0 6 2 5 0 0 end_operator begin_operator drive-fire-unit f3 l2 l7 1 3 1 1 1 0 6 2 7 0 0 end_operator begin_operator drive-fire-unit f3 l2 l8 0 1 1 0 6 2 8 0 0 end_operator begin_operator drive-fire-unit f3 l2 l9 0 1 1 0 6 2 9 0 0 end_operator begin_operator drive-fire-unit f3 l3 l1 0 1 1 0 6 3 0 0 0 end_operator begin_operator drive-fire-unit f3 l3 l10 1 0 1 1 1 0 6 3 1 0 0 end_operator begin_operator drive-fire-unit f3 l3 l4 0 1 1 0 6 3 4 0 0 end_operator begin_operator drive-fire-unit f3 l3 l5 0 1 1 0 6 3 5 0 0 end_operator begin_operator drive-fire-unit f3 l3 l7 1 3 1 1 1 0 6 3 7 0 0 end_operator begin_operator drive-fire-unit f3 l3 l8 0 1 1 0 6 3 8 0 0 end_operator begin_operator drive-fire-unit f3 l3 l9 0 1 1 0 6 3 9 0 0 end_operator begin_operator drive-fire-unit f3 l4 l1 0 1 1 0 6 4 0 0 0 end_operator begin_operator drive-fire-unit f3 l4 l10 1 0 1 1 1 0 6 4 1 0 0 end_operator begin_operator drive-fire-unit f3 l4 l2 0 1 1 0 6 4 2 0 0 end_operator begin_operator drive-fire-unit f3 l4 l3 1 1 1 1 1 0 6 4 3 0 0 end_operator begin_operator drive-fire-unit f3 l4 l5 0 1 1 0 6 4 5 0 0 end_operator begin_operator drive-fire-unit f3 l4 l6 1 2 1 1 1 0 6 4 6 0 0 end_operator begin_operator drive-fire-unit f3 l4 l7 1 3 1 1 1 0 6 4 7 0 0 end_operator begin_operator drive-fire-unit f3 l4 l8 0 1 1 0 6 4 8 0 0 end_operator begin_operator drive-fire-unit f3 l4 l9 0 1 1 0 6 4 9 0 0 end_operator begin_operator drive-fire-unit f3 l5 l1 0 1 1 0 6 5 0 0 0 end_operator begin_operator drive-fire-unit f3 l5 l10 1 0 1 1 1 0 6 5 1 0 0 end_operator begin_operator drive-fire-unit f3 l5 l2 0 1 1 0 6 5 2 0 0 end_operator begin_operator drive-fire-unit f3 l5 l3 1 1 1 1 1 0 6 5 3 0 0 end_operator begin_operator drive-fire-unit f3 l5 l4 0 1 1 0 6 5 4 0 0 end_operator begin_operator drive-fire-unit f3 l5 l6 1 2 1 1 1 0 6 5 6 0 0 end_operator begin_operator drive-fire-unit f3 l5 l7 1 3 1 1 1 0 6 5 7 0 0 end_operator begin_operator drive-fire-unit f3 l5 l8 0 1 1 0 6 5 8 0 0 end_operator begin_operator drive-fire-unit f3 l5 l9 0 1 1 0 6 5 9 0 0 end_operator begin_operator drive-fire-unit f3 l6 l10 1 0 1 1 1 0 6 6 1 0 0 end_operator begin_operator drive-fire-unit f3 l6 l4 0 1 1 0 6 6 4 0 0 end_operator begin_operator drive-fire-unit f3 l6 l5 0 1 1 0 6 6 5 0 0 end_operator begin_operator drive-fire-unit f3 l6 l7 1 3 1 1 1 0 6 6 7 0 0 end_operator begin_operator drive-fire-unit f3 l6 l8 0 1 1 0 6 6 8 0 0 end_operator begin_operator drive-fire-unit f3 l6 l9 0 1 1 0 6 6 9 0 0 end_operator begin_operator drive-fire-unit f3 l7 l1 0 1 1 0 6 7 0 0 0 end_operator begin_operator drive-fire-unit f3 l7 l10 1 0 1 1 1 0 6 7 1 0 0 end_operator begin_operator drive-fire-unit f3 l7 l2 0 1 1 0 6 7 2 0 0 end_operator begin_operator drive-fire-unit f3 l7 l3 1 1 1 1 1 0 6 7 3 0 0 end_operator begin_operator drive-fire-unit f3 l7 l4 0 1 1 0 6 7 4 0 0 end_operator begin_operator drive-fire-unit f3 l7 l5 0 1 1 0 6 7 5 0 0 end_operator begin_operator drive-fire-unit f3 l7 l6 1 2 1 1 1 0 6 7 6 0 0 end_operator begin_operator drive-fire-unit f3 l7 l8 0 1 1 0 6 7 8 0 0 end_operator begin_operator drive-fire-unit f3 l7 l9 0 1 1 0 6 7 9 0 0 end_operator begin_operator drive-fire-unit f3 l8 l1 0 1 1 0 6 8 0 0 0 end_operator begin_operator drive-fire-unit f3 l8 l2 0 1 1 0 6 8 2 0 0 end_operator begin_operator drive-fire-unit f3 l8 l3 1 1 1 1 1 0 6 8 3 0 0 end_operator begin_operator drive-fire-unit f3 l8 l4 0 1 1 0 6 8 4 0 0 end_operator begin_operator drive-fire-unit f3 l8 l5 0 1 1 0 6 8 5 0 0 end_operator begin_operator drive-fire-unit f3 l8 l6 1 2 1 1 1 0 6 8 6 0 0 end_operator begin_operator drive-fire-unit f3 l8 l7 1 3 1 1 1 0 6 8 7 0 0 end_operator begin_operator drive-fire-unit f3 l9 l1 0 1 1 0 6 9 0 0 0 end_operator begin_operator drive-fire-unit f3 l9 l2 0 1 1 0 6 9 2 0 0 end_operator begin_operator drive-fire-unit f3 l9 l3 1 1 1 1 1 0 6 9 3 0 0 end_operator begin_operator drive-fire-unit f3 l9 l4 0 1 1 0 6 9 4 0 0 end_operator begin_operator drive-fire-unit f3 l9 l5 0 1 1 0 6 9 5 0 0 end_operator begin_operator drive-fire-unit f3 l9 l6 1 2 1 1 1 0 6 9 6 0 0 end_operator begin_operator drive-fire-unit f3 l9 l7 1 3 1 1 1 0 6 9 7 0 0 end_operator begin_operator drive-fire-unit f4 l1 l10 1 0 1 1 1 0 7 0 1 0 0 end_operator begin_operator drive-fire-unit f4 l1 l2 0 1 1 0 7 0 2 0 0 end_operator begin_operator drive-fire-unit f4 l1 l3 1 1 1 1 1 0 7 0 3 0 0 end_operator begin_operator drive-fire-unit f4 l1 l4 0 1 1 0 7 0 4 0 0 end_operator begin_operator drive-fire-unit f4 l1 l5 0 1 1 0 7 0 5 0 0 end_operator begin_operator drive-fire-unit f4 l1 l7 1 3 1 1 1 0 7 0 7 0 0 end_operator begin_operator drive-fire-unit f4 l1 l8 0 1 1 0 7 0 8 0 0 end_operator begin_operator drive-fire-unit f4 l1 l9 0 1 1 0 7 0 9 0 0 end_operator begin_operator drive-fire-unit f4 l10 l1 0 1 1 0 7 1 0 0 0 end_operator begin_operator drive-fire-unit f4 l10 l2 0 1 1 0 7 1 2 0 0 end_operator begin_operator drive-fire-unit f4 l10 l3 1 1 1 1 1 0 7 1 3 0 0 end_operator begin_operator drive-fire-unit f4 l10 l4 0 1 1 0 7 1 4 0 0 end_operator begin_operator drive-fire-unit f4 l10 l5 0 1 1 0 7 1 5 0 0 end_operator begin_operator drive-fire-unit f4 l10 l6 1 2 1 1 1 0 7 1 6 0 0 end_operator begin_operator drive-fire-unit f4 l10 l7 1 3 1 1 1 0 7 1 7 0 0 end_operator begin_operator drive-fire-unit f4 l2 l1 0 1 1 0 7 2 0 0 0 end_operator begin_operator drive-fire-unit f4 l2 l10 1 0 1 1 1 0 7 2 1 0 0 end_operator begin_operator drive-fire-unit f4 l2 l4 0 1 1 0 7 2 4 0 0 end_operator begin_operator drive-fire-unit f4 l2 l5 0 1 1 0 7 2 5 0 0 end_operator begin_operator drive-fire-unit f4 l2 l7 1 3 1 1 1 0 7 2 7 0 0 end_operator begin_operator drive-fire-unit f4 l2 l8 0 1 1 0 7 2 8 0 0 end_operator begin_operator drive-fire-unit f4 l2 l9 0 1 1 0 7 2 9 0 0 end_operator begin_operator drive-fire-unit f4 l3 l1 0 1 1 0 7 3 0 0 0 end_operator begin_operator drive-fire-unit f4 l3 l10 1 0 1 1 1 0 7 3 1 0 0 end_operator begin_operator drive-fire-unit f4 l3 l4 0 1 1 0 7 3 4 0 0 end_operator begin_operator drive-fire-unit f4 l3 l5 0 1 1 0 7 3 5 0 0 end_operator begin_operator drive-fire-unit f4 l3 l7 1 3 1 1 1 0 7 3 7 0 0 end_operator begin_operator drive-fire-unit f4 l3 l8 0 1 1 0 7 3 8 0 0 end_operator begin_operator drive-fire-unit f4 l3 l9 0 1 1 0 7 3 9 0 0 end_operator begin_operator drive-fire-unit f4 l4 l1 0 1 1 0 7 4 0 0 0 end_operator begin_operator drive-fire-unit f4 l4 l10 1 0 1 1 1 0 7 4 1 0 0 end_operator begin_operator drive-fire-unit f4 l4 l2 0 1 1 0 7 4 2 0 0 end_operator begin_operator drive-fire-unit f4 l4 l3 1 1 1 1 1 0 7 4 3 0 0 end_operator begin_operator drive-fire-unit f4 l4 l5 0 1 1 0 7 4 5 0 0 end_operator begin_operator drive-fire-unit f4 l4 l6 1 2 1 1 1 0 7 4 6 0 0 end_operator begin_operator drive-fire-unit f4 l4 l7 1 3 1 1 1 0 7 4 7 0 0 end_operator begin_operator drive-fire-unit f4 l4 l8 0 1 1 0 7 4 8 0 0 end_operator begin_operator drive-fire-unit f4 l4 l9 0 1 1 0 7 4 9 0 0 end_operator begin_operator drive-fire-unit f4 l5 l1 0 1 1 0 7 5 0 0 0 end_operator begin_operator drive-fire-unit f4 l5 l10 1 0 1 1 1 0 7 5 1 0 0 end_operator begin_operator drive-fire-unit f4 l5 l2 0 1 1 0 7 5 2 0 0 end_operator begin_operator drive-fire-unit f4 l5 l3 1 1 1 1 1 0 7 5 3 0 0 end_operator begin_operator drive-fire-unit f4 l5 l4 0 1 1 0 7 5 4 0 0 end_operator begin_operator drive-fire-unit f4 l5 l6 1 2 1 1 1 0 7 5 6 0 0 end_operator begin_operator drive-fire-unit f4 l5 l7 1 3 1 1 1 0 7 5 7 0 0 end_operator begin_operator drive-fire-unit f4 l5 l8 0 1 1 0 7 5 8 0 0 end_operator begin_operator drive-fire-unit f4 l5 l9 0 1 1 0 7 5 9 0 0 end_operator begin_operator drive-fire-unit f4 l6 l10 1 0 1 1 1 0 7 6 1 0 0 end_operator begin_operator drive-fire-unit f4 l6 l4 0 1 1 0 7 6 4 0 0 end_operator begin_operator drive-fire-unit f4 l6 l5 0 1 1 0 7 6 5 0 0 end_operator begin_operator drive-fire-unit f4 l6 l7 1 3 1 1 1 0 7 6 7 0 0 end_operator begin_operator drive-fire-unit f4 l6 l8 0 1 1 0 7 6 8 0 0 end_operator begin_operator drive-fire-unit f4 l6 l9 0 1 1 0 7 6 9 0 0 end_operator begin_operator drive-fire-unit f4 l7 l1 0 1 1 0 7 7 0 0 0 end_operator begin_operator drive-fire-unit f4 l7 l10 1 0 1 1 1 0 7 7 1 0 0 end_operator begin_operator drive-fire-unit f4 l7 l2 0 1 1 0 7 7 2 0 0 end_operator begin_operator drive-fire-unit f4 l7 l3 1 1 1 1 1 0 7 7 3 0 0 end_operator begin_operator drive-fire-unit f4 l7 l4 0 1 1 0 7 7 4 0 0 end_operator begin_operator drive-fire-unit f4 l7 l5 0 1 1 0 7 7 5 0 0 end_operator begin_operator drive-fire-unit f4 l7 l6 1 2 1 1 1 0 7 7 6 0 0 end_operator begin_operator drive-fire-unit f4 l7 l8 0 1 1 0 7 7 8 0 0 end_operator begin_operator drive-fire-unit f4 l7 l9 0 1 1 0 7 7 9 0 0 end_operator begin_operator drive-fire-unit f4 l8 l1 0 1 1 0 7 8 0 0 0 end_operator begin_operator drive-fire-unit f4 l8 l2 0 1 1 0 7 8 2 0 0 end_operator begin_operator drive-fire-unit f4 l8 l3 1 1 1 1 1 0 7 8 3 0 0 end_operator begin_operator drive-fire-unit f4 l8 l4 0 1 1 0 7 8 4 0 0 end_operator begin_operator drive-fire-unit f4 l8 l5 0 1 1 0 7 8 5 0 0 end_operator begin_operator drive-fire-unit f4 l8 l6 1 2 1 1 1 0 7 8 6 0 0 end_operator begin_operator drive-fire-unit f4 l8 l7 1 3 1 1 1 0 7 8 7 0 0 end_operator begin_operator drive-fire-unit f4 l9 l1 0 1 1 0 7 9 0 0 0 end_operator begin_operator drive-fire-unit f4 l9 l2 0 1 1 0 7 9 2 0 0 end_operator begin_operator drive-fire-unit f4 l9 l3 1 1 1 1 1 0 7 9 3 0 0 end_operator begin_operator drive-fire-unit f4 l9 l4 0 1 1 0 7 9 4 0 0 end_operator begin_operator drive-fire-unit f4 l9 l5 0 1 1 0 7 9 5 0 0 end_operator begin_operator drive-fire-unit f4 l9 l6 1 2 1 1 1 0 7 9 6 0 0 end_operator begin_operator drive-fire-unit f4 l9 l7 1 3 1 1 1 0 7 9 7 0 0 end_operator begin_operator drive-medical-unit m1 l1 l10 1 0 1 1 1 0 16 0 1 0 0 end_operator begin_operator drive-medical-unit m1 l1 l2 0 1 1 0 16 0 2 0 0 end_operator begin_operator drive-medical-unit m1 l1 l3 1 1 1 1 1 0 16 0 3 0 0 end_operator begin_operator drive-medical-unit m1 l1 l4 0 1 1 0 16 0 4 0 0 end_operator begin_operator drive-medical-unit m1 l1 l5 0 1 1 0 16 0 5 0 0 end_operator begin_operator drive-medical-unit m1 l1 l7 1 3 1 1 1 0 16 0 7 0 0 end_operator begin_operator drive-medical-unit m1 l1 l8 0 1 1 0 16 0 8 0 0 end_operator begin_operator drive-medical-unit m1 l1 l9 0 1 1 0 16 0 9 0 0 end_operator begin_operator drive-medical-unit m1 l10 l1 0 1 1 0 16 1 0 0 0 end_operator begin_operator drive-medical-unit m1 l10 l2 0 1 1 0 16 1 2 0 0 end_operator begin_operator drive-medical-unit m1 l10 l3 1 1 1 1 1 0 16 1 3 0 0 end_operator begin_operator drive-medical-unit m1 l10 l4 0 1 1 0 16 1 4 0 0 end_operator begin_operator drive-medical-unit m1 l10 l5 0 1 1 0 16 1 5 0 0 end_operator begin_operator drive-medical-unit m1 l10 l6 1 2 1 1 1 0 16 1 6 0 0 end_operator begin_operator drive-medical-unit m1 l10 l7 1 3 1 1 1 0 16 1 7 0 0 end_operator begin_operator drive-medical-unit m1 l2 l1 0 1 1 0 16 2 0 0 0 end_operator begin_operator drive-medical-unit m1 l2 l10 1 0 1 1 1 0 16 2 1 0 0 end_operator begin_operator drive-medical-unit m1 l2 l4 0 1 1 0 16 2 4 0 0 end_operator begin_operator drive-medical-unit m1 l2 l5 0 1 1 0 16 2 5 0 0 end_operator begin_operator drive-medical-unit m1 l2 l7 1 3 1 1 1 0 16 2 7 0 0 end_operator begin_operator drive-medical-unit m1 l2 l8 0 1 1 0 16 2 8 0 0 end_operator begin_operator drive-medical-unit m1 l2 l9 0 1 1 0 16 2 9 0 0 end_operator begin_operator drive-medical-unit m1 l3 l1 0 1 1 0 16 3 0 0 0 end_operator begin_operator drive-medical-unit m1 l3 l10 1 0 1 1 1 0 16 3 1 0 0 end_operator begin_operator drive-medical-unit m1 l3 l4 0 1 1 0 16 3 4 0 0 end_operator begin_operator drive-medical-unit m1 l3 l5 0 1 1 0 16 3 5 0 0 end_operator begin_operator drive-medical-unit m1 l3 l7 1 3 1 1 1 0 16 3 7 0 0 end_operator begin_operator drive-medical-unit m1 l3 l8 0 1 1 0 16 3 8 0 0 end_operator begin_operator drive-medical-unit m1 l3 l9 0 1 1 0 16 3 9 0 0 end_operator begin_operator drive-medical-unit m1 l4 l1 0 1 1 0 16 4 0 0 0 end_operator begin_operator drive-medical-unit m1 l4 l10 1 0 1 1 1 0 16 4 1 0 0 end_operator begin_operator drive-medical-unit m1 l4 l2 0 1 1 0 16 4 2 0 0 end_operator begin_operator drive-medical-unit m1 l4 l3 1 1 1 1 1 0 16 4 3 0 0 end_operator begin_operator drive-medical-unit m1 l4 l5 0 1 1 0 16 4 5 0 0 end_operator begin_operator drive-medical-unit m1 l4 l6 1 2 1 1 1 0 16 4 6 0 0 end_operator begin_operator drive-medical-unit m1 l4 l7 1 3 1 1 1 0 16 4 7 0 0 end_operator begin_operator drive-medical-unit m1 l4 l8 0 1 1 0 16 4 8 0 0 end_operator begin_operator drive-medical-unit m1 l4 l9 0 1 1 0 16 4 9 0 0 end_operator begin_operator drive-medical-unit m1 l5 l1 0 1 1 0 16 5 0 0 0 end_operator begin_operator drive-medical-unit m1 l5 l10 1 0 1 1 1 0 16 5 1 0 0 end_operator begin_operator drive-medical-unit m1 l5 l2 0 1 1 0 16 5 2 0 0 end_operator begin_operator drive-medical-unit m1 l5 l3 1 1 1 1 1 0 16 5 3 0 0 end_operator begin_operator drive-medical-unit m1 l5 l4 0 1 1 0 16 5 4 0 0 end_operator begin_operator drive-medical-unit m1 l5 l6 1 2 1 1 1 0 16 5 6 0 0 end_operator begin_operator drive-medical-unit m1 l5 l7 1 3 1 1 1 0 16 5 7 0 0 end_operator begin_operator drive-medical-unit m1 l5 l8 0 1 1 0 16 5 8 0 0 end_operator begin_operator drive-medical-unit m1 l5 l9 0 1 1 0 16 5 9 0 0 end_operator begin_operator drive-medical-unit m1 l6 l10 1 0 1 1 1 0 16 6 1 0 0 end_operator begin_operator drive-medical-unit m1 l6 l4 0 1 1 0 16 6 4 0 0 end_operator begin_operator drive-medical-unit m1 l6 l5 0 1 1 0 16 6 5 0 0 end_operator begin_operator drive-medical-unit m1 l6 l7 1 3 1 1 1 0 16 6 7 0 0 end_operator begin_operator drive-medical-unit m1 l6 l8 0 1 1 0 16 6 8 0 0 end_operator begin_operator drive-medical-unit m1 l6 l9 0 1 1 0 16 6 9 0 0 end_operator begin_operator drive-medical-unit m1 l7 l1 0 1 1 0 16 7 0 0 0 end_operator begin_operator drive-medical-unit m1 l7 l10 1 0 1 1 1 0 16 7 1 0 0 end_operator begin_operator drive-medical-unit m1 l7 l2 0 1 1 0 16 7 2 0 0 end_operator begin_operator drive-medical-unit m1 l7 l3 1 1 1 1 1 0 16 7 3 0 0 end_operator begin_operator drive-medical-unit m1 l7 l4 0 1 1 0 16 7 4 0 0 end_operator begin_operator drive-medical-unit m1 l7 l5 0 1 1 0 16 7 5 0 0 end_operator begin_operator drive-medical-unit m1 l7 l6 1 2 1 1 1 0 16 7 6 0 0 end_operator begin_operator drive-medical-unit m1 l7 l8 0 1 1 0 16 7 8 0 0 end_operator begin_operator drive-medical-unit m1 l7 l9 0 1 1 0 16 7 9 0 0 end_operator begin_operator drive-medical-unit m1 l8 l1 0 1 1 0 16 8 0 0 0 end_operator begin_operator drive-medical-unit m1 l8 l2 0 1 1 0 16 8 2 0 0 end_operator begin_operator drive-medical-unit m1 l8 l3 1 1 1 1 1 0 16 8 3 0 0 end_operator begin_operator drive-medical-unit m1 l8 l4 0 1 1 0 16 8 4 0 0 end_operator begin_operator drive-medical-unit m1 l8 l5 0 1 1 0 16 8 5 0 0 end_operator begin_operator drive-medical-unit m1 l8 l6 1 2 1 1 1 0 16 8 6 0 0 end_operator begin_operator drive-medical-unit m1 l8 l7 1 3 1 1 1 0 16 8 7 0 0 end_operator begin_operator drive-medical-unit m1 l9 l1 0 1 1 0 16 9 0 0 0 end_operator begin_operator drive-medical-unit m1 l9 l2 0 1 1 0 16 9 2 0 0 end_operator begin_operator drive-medical-unit m1 l9 l3 1 1 1 1 1 0 16 9 3 0 0 end_operator begin_operator drive-medical-unit m1 l9 l4 0 1 1 0 16 9 4 0 0 end_operator begin_operator drive-medical-unit m1 l9 l5 0 1 1 0 16 9 5 0 0 end_operator begin_operator drive-medical-unit m1 l9 l6 1 2 1 1 1 0 16 9 6 0 0 end_operator begin_operator drive-medical-unit m1 l9 l7 1 3 1 1 1 0 16 9 7 0 0 end_operator begin_operator drive-medical-unit m2 l1 l10 1 0 1 1 1 0 17 0 1 0 0 end_operator begin_operator drive-medical-unit m2 l1 l2 0 1 1 0 17 0 2 0 0 end_operator begin_operator drive-medical-unit m2 l1 l3 1 1 1 1 1 0 17 0 3 0 0 end_operator begin_operator drive-medical-unit m2 l1 l4 0 1 1 0 17 0 4 0 0 end_operator begin_operator drive-medical-unit m2 l1 l5 0 1 1 0 17 0 5 0 0 end_operator begin_operator drive-medical-unit m2 l1 l7 1 3 1 1 1 0 17 0 7 0 0 end_operator begin_operator drive-medical-unit m2 l1 l8 0 1 1 0 17 0 8 0 0 end_operator begin_operator drive-medical-unit m2 l1 l9 0 1 1 0 17 0 9 0 0 end_operator begin_operator drive-medical-unit m2 l10 l1 0 1 1 0 17 1 0 0 0 end_operator begin_operator drive-medical-unit m2 l10 l2 0 1 1 0 17 1 2 0 0 end_operator begin_operator drive-medical-unit m2 l10 l3 1 1 1 1 1 0 17 1 3 0 0 end_operator begin_operator drive-medical-unit m2 l10 l4 0 1 1 0 17 1 4 0 0 end_operator begin_operator drive-medical-unit m2 l10 l5 0 1 1 0 17 1 5 0 0 end_operator begin_operator drive-medical-unit m2 l10 l6 1 2 1 1 1 0 17 1 6 0 0 end_operator begin_operator drive-medical-unit m2 l10 l7 1 3 1 1 1 0 17 1 7 0 0 end_operator begin_operator drive-medical-unit m2 l2 l1 0 1 1 0 17 2 0 0 0 end_operator begin_operator drive-medical-unit m2 l2 l10 1 0 1 1 1 0 17 2 1 0 0 end_operator begin_operator drive-medical-unit m2 l2 l4 0 1 1 0 17 2 4 0 0 end_operator begin_operator drive-medical-unit m2 l2 l5 0 1 1 0 17 2 5 0 0 end_operator begin_operator drive-medical-unit m2 l2 l7 1 3 1 1 1 0 17 2 7 0 0 end_operator begin_operator drive-medical-unit m2 l2 l8 0 1 1 0 17 2 8 0 0 end_operator begin_operator drive-medical-unit m2 l2 l9 0 1 1 0 17 2 9 0 0 end_operator begin_operator drive-medical-unit m2 l3 l1 0 1 1 0 17 3 0 0 0 end_operator begin_operator drive-medical-unit m2 l3 l10 1 0 1 1 1 0 17 3 1 0 0 end_operator begin_operator drive-medical-unit m2 l3 l4 0 1 1 0 17 3 4 0 0 end_operator begin_operator drive-medical-unit m2 l3 l5 0 1 1 0 17 3 5 0 0 end_operator begin_operator drive-medical-unit m2 l3 l7 1 3 1 1 1 0 17 3 7 0 0 end_operator begin_operator drive-medical-unit m2 l3 l8 0 1 1 0 17 3 8 0 0 end_operator begin_operator drive-medical-unit m2 l3 l9 0 1 1 0 17 3 9 0 0 end_operator begin_operator drive-medical-unit m2 l4 l1 0 1 1 0 17 4 0 0 0 end_operator begin_operator drive-medical-unit m2 l4 l10 1 0 1 1 1 0 17 4 1 0 0 end_operator begin_operator drive-medical-unit m2 l4 l2 0 1 1 0 17 4 2 0 0 end_operator begin_operator drive-medical-unit m2 l4 l3 1 1 1 1 1 0 17 4 3 0 0 end_operator begin_operator drive-medical-unit m2 l4 l5 0 1 1 0 17 4 5 0 0 end_operator begin_operator drive-medical-unit m2 l4 l6 1 2 1 1 1 0 17 4 6 0 0 end_operator begin_operator drive-medical-unit m2 l4 l7 1 3 1 1 1 0 17 4 7 0 0 end_operator begin_operator drive-medical-unit m2 l4 l8 0 1 1 0 17 4 8 0 0 end_operator begin_operator drive-medical-unit m2 l4 l9 0 1 1 0 17 4 9 0 0 end_operator begin_operator drive-medical-unit m2 l5 l1 0 1 1 0 17 5 0 0 0 end_operator begin_operator drive-medical-unit m2 l5 l10 1 0 1 1 1 0 17 5 1 0 0 end_operator begin_operator drive-medical-unit m2 l5 l2 0 1 1 0 17 5 2 0 0 end_operator begin_operator drive-medical-unit m2 l5 l3 1 1 1 1 1 0 17 5 3 0 0 end_operator begin_operator drive-medical-unit m2 l5 l4 0 1 1 0 17 5 4 0 0 end_operator begin_operator drive-medical-unit m2 l5 l6 1 2 1 1 1 0 17 5 6 0 0 end_operator begin_operator drive-medical-unit m2 l5 l7 1 3 1 1 1 0 17 5 7 0 0 end_operator begin_operator drive-medical-unit m2 l5 l8 0 1 1 0 17 5 8 0 0 end_operator begin_operator drive-medical-unit m2 l5 l9 0 1 1 0 17 5 9 0 0 end_operator begin_operator drive-medical-unit m2 l6 l10 1 0 1 1 1 0 17 6 1 0 0 end_operator begin_operator drive-medical-unit m2 l6 l4 0 1 1 0 17 6 4 0 0 end_operator begin_operator drive-medical-unit m2 l6 l5 0 1 1 0 17 6 5 0 0 end_operator begin_operator drive-medical-unit m2 l6 l7 1 3 1 1 1 0 17 6 7 0 0 end_operator begin_operator drive-medical-unit m2 l6 l8 0 1 1 0 17 6 8 0 0 end_operator begin_operator drive-medical-unit m2 l6 l9 0 1 1 0 17 6 9 0 0 end_operator begin_operator drive-medical-unit m2 l7 l1 0 1 1 0 17 7 0 0 0 end_operator begin_operator drive-medical-unit m2 l7 l10 1 0 1 1 1 0 17 7 1 0 0 end_operator begin_operator drive-medical-unit m2 l7 l2 0 1 1 0 17 7 2 0 0 end_operator begin_operator drive-medical-unit m2 l7 l3 1 1 1 1 1 0 17 7 3 0 0 end_operator begin_operator drive-medical-unit m2 l7 l4 0 1 1 0 17 7 4 0 0 end_operator begin_operator drive-medical-unit m2 l7 l5 0 1 1 0 17 7 5 0 0 end_operator begin_operator drive-medical-unit m2 l7 l6 1 2 1 1 1 0 17 7 6 0 0 end_operator begin_operator drive-medical-unit m2 l7 l8 0 1 1 0 17 7 8 0 0 end_operator begin_operator drive-medical-unit m2 l7 l9 0 1 1 0 17 7 9 0 0 end_operator begin_operator drive-medical-unit m2 l8 l1 0 1 1 0 17 8 0 0 0 end_operator begin_operator drive-medical-unit m2 l8 l2 0 1 1 0 17 8 2 0 0 end_operator begin_operator drive-medical-unit m2 l8 l3 1 1 1 1 1 0 17 8 3 0 0 end_operator begin_operator drive-medical-unit m2 l8 l4 0 1 1 0 17 8 4 0 0 end_operator begin_operator drive-medical-unit m2 l8 l5 0 1 1 0 17 8 5 0 0 end_operator begin_operator drive-medical-unit m2 l8 l6 1 2 1 1 1 0 17 8 6 0 0 end_operator begin_operator drive-medical-unit m2 l8 l7 1 3 1 1 1 0 17 8 7 0 0 end_operator begin_operator drive-medical-unit m2 l9 l1 0 1 1 0 17 9 0 0 0 end_operator begin_operator drive-medical-unit m2 l9 l2 0 1 1 0 17 9 2 0 0 end_operator begin_operator drive-medical-unit m2 l9 l3 1 1 1 1 1 0 17 9 3 0 0 end_operator begin_operator drive-medical-unit m2 l9 l4 0 1 1 0 17 9 4 0 0 end_operator begin_operator drive-medical-unit m2 l9 l5 0 1 1 0 17 9 5 0 0 end_operator begin_operator drive-medical-unit m2 l9 l6 1 2 1 1 1 0 17 9 6 0 0 end_operator begin_operator drive-medical-unit m2 l9 l7 1 3 1 1 1 0 17 9 7 0 0 end_operator begin_operator drive-medical-unit m3 l1 l10 1 0 1 1 1 0 18 0 1 0 0 end_operator begin_operator drive-medical-unit m3 l1 l2 0 1 1 0 18 0 2 0 0 end_operator begin_operator drive-medical-unit m3 l1 l3 1 1 1 1 1 0 18 0 3 0 0 end_operator begin_operator drive-medical-unit m3 l1 l4 0 1 1 0 18 0 4 0 0 end_operator begin_operator drive-medical-unit m3 l1 l5 0 1 1 0 18 0 5 0 0 end_operator begin_operator drive-medical-unit m3 l1 l7 1 3 1 1 1 0 18 0 7 0 0 end_operator begin_operator drive-medical-unit m3 l1 l8 0 1 1 0 18 0 8 0 0 end_operator begin_operator drive-medical-unit m3 l1 l9 0 1 1 0 18 0 9 0 0 end_operator begin_operator drive-medical-unit m3 l10 l1 0 1 1 0 18 1 0 0 0 end_operator begin_operator drive-medical-unit m3 l10 l2 0 1 1 0 18 1 2 0 0 end_operator begin_operator drive-medical-unit m3 l10 l3 1 1 1 1 1 0 18 1 3 0 0 end_operator begin_operator drive-medical-unit m3 l10 l4 0 1 1 0 18 1 4 0 0 end_operator begin_operator drive-medical-unit m3 l10 l5 0 1 1 0 18 1 5 0 0 end_operator begin_operator drive-medical-unit m3 l10 l6 1 2 1 1 1 0 18 1 6 0 0 end_operator begin_operator drive-medical-unit m3 l10 l7 1 3 1 1 1 0 18 1 7 0 0 end_operator begin_operator drive-medical-unit m3 l2 l1 0 1 1 0 18 2 0 0 0 end_operator begin_operator drive-medical-unit m3 l2 l10 1 0 1 1 1 0 18 2 1 0 0 end_operator begin_operator drive-medical-unit m3 l2 l4 0 1 1 0 18 2 4 0 0 end_operator begin_operator drive-medical-unit m3 l2 l5 0 1 1 0 18 2 5 0 0 end_operator begin_operator drive-medical-unit m3 l2 l7 1 3 1 1 1 0 18 2 7 0 0 end_operator begin_operator drive-medical-unit m3 l2 l8 0 1 1 0 18 2 8 0 0 end_operator begin_operator drive-medical-unit m3 l2 l9 0 1 1 0 18 2 9 0 0 end_operator begin_operator drive-medical-unit m3 l3 l1 0 1 1 0 18 3 0 0 0 end_operator begin_operator drive-medical-unit m3 l3 l10 1 0 1 1 1 0 18 3 1 0 0 end_operator begin_operator drive-medical-unit m3 l3 l4 0 1 1 0 18 3 4 0 0 end_operator begin_operator drive-medical-unit m3 l3 l5 0 1 1 0 18 3 5 0 0 end_operator begin_operator drive-medical-unit m3 l3 l7 1 3 1 1 1 0 18 3 7 0 0 end_operator begin_operator drive-medical-unit m3 l3 l8 0 1 1 0 18 3 8 0 0 end_operator begin_operator drive-medical-unit m3 l3 l9 0 1 1 0 18 3 9 0 0 end_operator begin_operator drive-medical-unit m3 l4 l1 0 1 1 0 18 4 0 0 0 end_operator begin_operator drive-medical-unit m3 l4 l10 1 0 1 1 1 0 18 4 1 0 0 end_operator begin_operator drive-medical-unit m3 l4 l2 0 1 1 0 18 4 2 0 0 end_operator begin_operator drive-medical-unit m3 l4 l3 1 1 1 1 1 0 18 4 3 0 0 end_operator begin_operator drive-medical-unit m3 l4 l5 0 1 1 0 18 4 5 0 0 end_operator begin_operator drive-medical-unit m3 l4 l6 1 2 1 1 1 0 18 4 6 0 0 end_operator begin_operator drive-medical-unit m3 l4 l7 1 3 1 1 1 0 18 4 7 0 0 end_operator begin_operator drive-medical-unit m3 l4 l8 0 1 1 0 18 4 8 0 0 end_operator begin_operator drive-medical-unit m3 l4 l9 0 1 1 0 18 4 9 0 0 end_operator begin_operator drive-medical-unit m3 l5 l1 0 1 1 0 18 5 0 0 0 end_operator begin_operator drive-medical-unit m3 l5 l10 1 0 1 1 1 0 18 5 1 0 0 end_operator begin_operator drive-medical-unit m3 l5 l2 0 1 1 0 18 5 2 0 0 end_operator begin_operator drive-medical-unit m3 l5 l3 1 1 1 1 1 0 18 5 3 0 0 end_operator begin_operator drive-medical-unit m3 l5 l4 0 1 1 0 18 5 4 0 0 end_operator begin_operator drive-medical-unit m3 l5 l6 1 2 1 1 1 0 18 5 6 0 0 end_operator begin_operator drive-medical-unit m3 l5 l7 1 3 1 1 1 0 18 5 7 0 0 end_operator begin_operator drive-medical-unit m3 l5 l8 0 1 1 0 18 5 8 0 0 end_operator begin_operator drive-medical-unit m3 l5 l9 0 1 1 0 18 5 9 0 0 end_operator begin_operator drive-medical-unit m3 l6 l10 1 0 1 1 1 0 18 6 1 0 0 end_operator begin_operator drive-medical-unit m3 l6 l4 0 1 1 0 18 6 4 0 0 end_operator begin_operator drive-medical-unit m3 l6 l5 0 1 1 0 18 6 5 0 0 end_operator begin_operator drive-medical-unit m3 l6 l7 1 3 1 1 1 0 18 6 7 0 0 end_operator begin_operator drive-medical-unit m3 l6 l8 0 1 1 0 18 6 8 0 0 end_operator begin_operator drive-medical-unit m3 l6 l9 0 1 1 0 18 6 9 0 0 end_operator begin_operator drive-medical-unit m3 l7 l1 0 1 1 0 18 7 0 0 0 end_operator begin_operator drive-medical-unit m3 l7 l10 1 0 1 1 1 0 18 7 1 0 0 end_operator begin_operator drive-medical-unit m3 l7 l2 0 1 1 0 18 7 2 0 0 end_operator begin_operator drive-medical-unit m3 l7 l3 1 1 1 1 1 0 18 7 3 0 0 end_operator begin_operator drive-medical-unit m3 l7 l4 0 1 1 0 18 7 4 0 0 end_operator begin_operator drive-medical-unit m3 l7 l5 0 1 1 0 18 7 5 0 0 end_operator begin_operator drive-medical-unit m3 l7 l6 1 2 1 1 1 0 18 7 6 0 0 end_operator begin_operator drive-medical-unit m3 l7 l8 0 1 1 0 18 7 8 0 0 end_operator begin_operator drive-medical-unit m3 l7 l9 0 1 1 0 18 7 9 0 0 end_operator begin_operator drive-medical-unit m3 l8 l1 0 1 1 0 18 8 0 0 0 end_operator begin_operator drive-medical-unit m3 l8 l2 0 1 1 0 18 8 2 0 0 end_operator begin_operator drive-medical-unit m3 l8 l3 1 1 1 1 1 0 18 8 3 0 0 end_operator begin_operator drive-medical-unit m3 l8 l4 0 1 1 0 18 8 4 0 0 end_operator begin_operator drive-medical-unit m3 l8 l5 0 1 1 0 18 8 5 0 0 end_operator begin_operator drive-medical-unit m3 l8 l6 1 2 1 1 1 0 18 8 6 0 0 end_operator begin_operator drive-medical-unit m3 l8 l7 1 3 1 1 1 0 18 8 7 0 0 end_operator begin_operator drive-medical-unit m3 l9 l1 0 1 1 0 18 9 0 0 0 end_operator begin_operator drive-medical-unit m3 l9 l2 0 1 1 0 18 9 2 0 0 end_operator begin_operator drive-medical-unit m3 l9 l3 1 1 1 1 1 0 18 9 3 0 0 end_operator begin_operator drive-medical-unit m3 l9 l4 0 1 1 0 18 9 4 0 0 end_operator begin_operator drive-medical-unit m3 l9 l5 0 1 1 0 18 9 5 0 0 end_operator begin_operator drive-medical-unit m3 l9 l6 1 2 1 1 1 0 18 9 6 0 0 end_operator begin_operator drive-medical-unit m3 l9 l7 1 3 1 1 1 0 18 9 7 0 0 end_operator begin_operator drive-medical-unit m4 l1 l10 1 0 1 1 1 0 19 0 1 0 0 end_operator begin_operator drive-medical-unit m4 l1 l2 0 1 1 0 19 0 2 0 0 end_operator begin_operator drive-medical-unit m4 l1 l3 1 1 1 1 1 0 19 0 3 0 0 end_operator begin_operator drive-medical-unit m4 l1 l4 0 1 1 0 19 0 4 0 0 end_operator begin_operator drive-medical-unit m4 l1 l5 0 1 1 0 19 0 5 0 0 end_operator begin_operator drive-medical-unit m4 l1 l7 1 3 1 1 1 0 19 0 7 0 0 end_operator begin_operator drive-medical-unit m4 l1 l8 0 1 1 0 19 0 8 0 0 end_operator begin_operator drive-medical-unit m4 l1 l9 0 1 1 0 19 0 9 0 0 end_operator begin_operator drive-medical-unit m4 l10 l1 0 1 1 0 19 1 0 0 0 end_operator begin_operator drive-medical-unit m4 l10 l2 0 1 1 0 19 1 2 0 0 end_operator begin_operator drive-medical-unit m4 l10 l3 1 1 1 1 1 0 19 1 3 0 0 end_operator begin_operator drive-medical-unit m4 l10 l4 0 1 1 0 19 1 4 0 0 end_operator begin_operator drive-medical-unit m4 l10 l5 0 1 1 0 19 1 5 0 0 end_operator begin_operator drive-medical-unit m4 l10 l6 1 2 1 1 1 0 19 1 6 0 0 end_operator begin_operator drive-medical-unit m4 l10 l7 1 3 1 1 1 0 19 1 7 0 0 end_operator begin_operator drive-medical-unit m4 l2 l1 0 1 1 0 19 2 0 0 0 end_operator begin_operator drive-medical-unit m4 l2 l10 1 0 1 1 1 0 19 2 1 0 0 end_operator begin_operator drive-medical-unit m4 l2 l4 0 1 1 0 19 2 4 0 0 end_operator begin_operator drive-medical-unit m4 l2 l5 0 1 1 0 19 2 5 0 0 end_operator begin_operator drive-medical-unit m4 l2 l7 1 3 1 1 1 0 19 2 7 0 0 end_operator begin_operator drive-medical-unit m4 l2 l8 0 1 1 0 19 2 8 0 0 end_operator begin_operator drive-medical-unit m4 l2 l9 0 1 1 0 19 2 9 0 0 end_operator begin_operator drive-medical-unit m4 l3 l1 0 1 1 0 19 3 0 0 0 end_operator begin_operator drive-medical-unit m4 l3 l10 1 0 1 1 1 0 19 3 1 0 0 end_operator begin_operator drive-medical-unit m4 l3 l4 0 1 1 0 19 3 4 0 0 end_operator begin_operator drive-medical-unit m4 l3 l5 0 1 1 0 19 3 5 0 0 end_operator begin_operator drive-medical-unit m4 l3 l7 1 3 1 1 1 0 19 3 7 0 0 end_operator begin_operator drive-medical-unit m4 l3 l8 0 1 1 0 19 3 8 0 0 end_operator begin_operator drive-medical-unit m4 l3 l9 0 1 1 0 19 3 9 0 0 end_operator begin_operator drive-medical-unit m4 l4 l1 0 1 1 0 19 4 0 0 0 end_operator begin_operator drive-medical-unit m4 l4 l10 1 0 1 1 1 0 19 4 1 0 0 end_operator begin_operator drive-medical-unit m4 l4 l2 0 1 1 0 19 4 2 0 0 end_operator begin_operator drive-medical-unit m4 l4 l3 1 1 1 1 1 0 19 4 3 0 0 end_operator begin_operator drive-medical-unit m4 l4 l5 0 1 1 0 19 4 5 0 0 end_operator begin_operator drive-medical-unit m4 l4 l6 1 2 1 1 1 0 19 4 6 0 0 end_operator begin_operator drive-medical-unit m4 l4 l7 1 3 1 1 1 0 19 4 7 0 0 end_operator begin_operator drive-medical-unit m4 l4 l8 0 1 1 0 19 4 8 0 0 end_operator begin_operator drive-medical-unit m4 l4 l9 0 1 1 0 19 4 9 0 0 end_operator begin_operator drive-medical-unit m4 l5 l1 0 1 1 0 19 5 0 0 0 end_operator begin_operator drive-medical-unit m4 l5 l10 1 0 1 1 1 0 19 5 1 0 0 end_operator begin_operator drive-medical-unit m4 l5 l2 0 1 1 0 19 5 2 0 0 end_operator begin_operator drive-medical-unit m4 l5 l3 1 1 1 1 1 0 19 5 3 0 0 end_operator begin_operator drive-medical-unit m4 l5 l4 0 1 1 0 19 5 4 0 0 end_operator begin_operator drive-medical-unit m4 l5 l6 1 2 1 1 1 0 19 5 6 0 0 end_operator begin_operator drive-medical-unit m4 l5 l7 1 3 1 1 1 0 19 5 7 0 0 end_operator begin_operator drive-medical-unit m4 l5 l8 0 1 1 0 19 5 8 0 0 end_operator begin_operator drive-medical-unit m4 l5 l9 0 1 1 0 19 5 9 0 0 end_operator begin_operator drive-medical-unit m4 l6 l10 1 0 1 1 1 0 19 6 1 0 0 end_operator begin_operator drive-medical-unit m4 l6 l4 0 1 1 0 19 6 4 0 0 end_operator begin_operator drive-medical-unit m4 l6 l5 0 1 1 0 19 6 5 0 0 end_operator begin_operator drive-medical-unit m4 l6 l7 1 3 1 1 1 0 19 6 7 0 0 end_operator begin_operator drive-medical-unit m4 l6 l8 0 1 1 0 19 6 8 0 0 end_operator begin_operator drive-medical-unit m4 l6 l9 0 1 1 0 19 6 9 0 0 end_operator begin_operator drive-medical-unit m4 l7 l1 0 1 1 0 19 7 0 0 0 end_operator begin_operator drive-medical-unit m4 l7 l10 1 0 1 1 1 0 19 7 1 0 0 end_operator begin_operator drive-medical-unit m4 l7 l2 0 1 1 0 19 7 2 0 0 end_operator begin_operator drive-medical-unit m4 l7 l3 1 1 1 1 1 0 19 7 3 0 0 end_operator begin_operator drive-medical-unit m4 l7 l4 0 1 1 0 19 7 4 0 0 end_operator begin_operator drive-medical-unit m4 l7 l5 0 1 1 0 19 7 5 0 0 end_operator begin_operator drive-medical-unit m4 l7 l6 1 2 1 1 1 0 19 7 6 0 0 end_operator begin_operator drive-medical-unit m4 l7 l8 0 1 1 0 19 7 8 0 0 end_operator begin_operator drive-medical-unit m4 l7 l9 0 1 1 0 19 7 9 0 0 end_operator begin_operator drive-medical-unit m4 l8 l1 0 1 1 0 19 8 0 0 0 end_operator begin_operator drive-medical-unit m4 l8 l2 0 1 1 0 19 8 2 0 0 end_operator begin_operator drive-medical-unit m4 l8 l3 1 1 1 1 1 0 19 8 3 0 0 end_operator begin_operator drive-medical-unit m4 l8 l4 0 1 1 0 19 8 4 0 0 end_operator begin_operator drive-medical-unit m4 l8 l5 0 1 1 0 19 8 5 0 0 end_operator begin_operator drive-medical-unit m4 l8 l6 1 2 1 1 1 0 19 8 6 0 0 end_operator begin_operator drive-medical-unit m4 l8 l7 1 3 1 1 1 0 19 8 7 0 0 end_operator begin_operator drive-medical-unit m4 l9 l1 0 1 1 0 19 9 0 0 0 end_operator begin_operator drive-medical-unit m4 l9 l2 0 1 1 0 19 9 2 0 0 end_operator begin_operator drive-medical-unit m4 l9 l3 1 1 1 1 1 0 19 9 3 0 0 end_operator begin_operator drive-medical-unit m4 l9 l4 0 1 1 0 19 9 4 0 0 end_operator begin_operator drive-medical-unit m4 l9 l5 0 1 1 0 19 9 5 0 0 end_operator begin_operator drive-medical-unit m4 l9 l6 1 2 1 1 1 0 19 9 6 0 0 end_operator begin_operator drive-medical-unit m4 l9 l7 1 3 1 1 1 0 19 9 7 0 0 end_operator begin_operator drive-medical-unit m5 l1 l10 1 0 1 1 1 0 20 0 1 0 0 end_operator begin_operator drive-medical-unit m5 l1 l2 0 1 1 0 20 0 2 0 0 end_operator begin_operator drive-medical-unit m5 l1 l3 1 1 1 1 1 0 20 0 3 0 0 end_operator begin_operator drive-medical-unit m5 l1 l4 0 1 1 0 20 0 4 0 0 end_operator begin_operator drive-medical-unit m5 l1 l5 0 1 1 0 20 0 5 0 0 end_operator begin_operator drive-medical-unit m5 l1 l7 1 3 1 1 1 0 20 0 7 0 0 end_operator begin_operator drive-medical-unit m5 l1 l8 0 1 1 0 20 0 8 0 0 end_operator begin_operator drive-medical-unit m5 l1 l9 0 1 1 0 20 0 9 0 0 end_operator begin_operator drive-medical-unit m5 l10 l1 0 1 1 0 20 1 0 0 0 end_operator begin_operator drive-medical-unit m5 l10 l2 0 1 1 0 20 1 2 0 0 end_operator begin_operator drive-medical-unit m5 l10 l3 1 1 1 1 1 0 20 1 3 0 0 end_operator begin_operator drive-medical-unit m5 l10 l4 0 1 1 0 20 1 4 0 0 end_operator begin_operator drive-medical-unit m5 l10 l5 0 1 1 0 20 1 5 0 0 end_operator begin_operator drive-medical-unit m5 l10 l6 1 2 1 1 1 0 20 1 6 0 0 end_operator begin_operator drive-medical-unit m5 l10 l7 1 3 1 1 1 0 20 1 7 0 0 end_operator begin_operator drive-medical-unit m5 l2 l1 0 1 1 0 20 2 0 0 0 end_operator begin_operator drive-medical-unit m5 l2 l10 1 0 1 1 1 0 20 2 1 0 0 end_operator begin_operator drive-medical-unit m5 l2 l4 0 1 1 0 20 2 4 0 0 end_operator begin_operator drive-medical-unit m5 l2 l5 0 1 1 0 20 2 5 0 0 end_operator begin_operator drive-medical-unit m5 l2 l7 1 3 1 1 1 0 20 2 7 0 0 end_operator begin_operator drive-medical-unit m5 l2 l8 0 1 1 0 20 2 8 0 0 end_operator begin_operator drive-medical-unit m5 l2 l9 0 1 1 0 20 2 9 0 0 end_operator begin_operator drive-medical-unit m5 l3 l1 0 1 1 0 20 3 0 0 0 end_operator begin_operator drive-medical-unit m5 l3 l10 1 0 1 1 1 0 20 3 1 0 0 end_operator begin_operator drive-medical-unit m5 l3 l4 0 1 1 0 20 3 4 0 0 end_operator begin_operator drive-medical-unit m5 l3 l5 0 1 1 0 20 3 5 0 0 end_operator begin_operator drive-medical-unit m5 l3 l7 1 3 1 1 1 0 20 3 7 0 0 end_operator begin_operator drive-medical-unit m5 l3 l8 0 1 1 0 20 3 8 0 0 end_operator begin_operator drive-medical-unit m5 l3 l9 0 1 1 0 20 3 9 0 0 end_operator begin_operator drive-medical-unit m5 l4 l1 0 1 1 0 20 4 0 0 0 end_operator begin_operator drive-medical-unit m5 l4 l10 1 0 1 1 1 0 20 4 1 0 0 end_operator begin_operator drive-medical-unit m5 l4 l2 0 1 1 0 20 4 2 0 0 end_operator begin_operator drive-medical-unit m5 l4 l3 1 1 1 1 1 0 20 4 3 0 0 end_operator begin_operator drive-medical-unit m5 l4 l5 0 1 1 0 20 4 5 0 0 end_operator begin_operator drive-medical-unit m5 l4 l6 1 2 1 1 1 0 20 4 6 0 0 end_operator begin_operator drive-medical-unit m5 l4 l7 1 3 1 1 1 0 20 4 7 0 0 end_operator begin_operator drive-medical-unit m5 l4 l8 0 1 1 0 20 4 8 0 0 end_operator begin_operator drive-medical-unit m5 l4 l9 0 1 1 0 20 4 9 0 0 end_operator begin_operator drive-medical-unit m5 l5 l1 0 1 1 0 20 5 0 0 0 end_operator begin_operator drive-medical-unit m5 l5 l10 1 0 1 1 1 0 20 5 1 0 0 end_operator begin_operator drive-medical-unit m5 l5 l2 0 1 1 0 20 5 2 0 0 end_operator begin_operator drive-medical-unit m5 l5 l3 1 1 1 1 1 0 20 5 3 0 0 end_operator begin_operator drive-medical-unit m5 l5 l4 0 1 1 0 20 5 4 0 0 end_operator begin_operator drive-medical-unit m5 l5 l6 1 2 1 1 1 0 20 5 6 0 0 end_operator begin_operator drive-medical-unit m5 l5 l7 1 3 1 1 1 0 20 5 7 0 0 end_operator begin_operator drive-medical-unit m5 l5 l8 0 1 1 0 20 5 8 0 0 end_operator begin_operator drive-medical-unit m5 l5 l9 0 1 1 0 20 5 9 0 0 end_operator begin_operator drive-medical-unit m5 l6 l10 1 0 1 1 1 0 20 6 1 0 0 end_operator begin_operator drive-medical-unit m5 l6 l4 0 1 1 0 20 6 4 0 0 end_operator begin_operator drive-medical-unit m5 l6 l5 0 1 1 0 20 6 5 0 0 end_operator begin_operator drive-medical-unit m5 l6 l7 1 3 1 1 1 0 20 6 7 0 0 end_operator begin_operator drive-medical-unit m5 l6 l8 0 1 1 0 20 6 8 0 0 end_operator begin_operator drive-medical-unit m5 l6 l9 0 1 1 0 20 6 9 0 0 end_operator begin_operator drive-medical-unit m5 l7 l1 0 1 1 0 20 7 0 0 0 end_operator begin_operator drive-medical-unit m5 l7 l10 1 0 1 1 1 0 20 7 1 0 0 end_operator begin_operator drive-medical-unit m5 l7 l2 0 1 1 0 20 7 2 0 0 end_operator begin_operator drive-medical-unit m5 l7 l3 1 1 1 1 1 0 20 7 3 0 0 end_operator begin_operator drive-medical-unit m5 l7 l4 0 1 1 0 20 7 4 0 0 end_operator begin_operator drive-medical-unit m5 l7 l5 0 1 1 0 20 7 5 0 0 end_operator begin_operator drive-medical-unit m5 l7 l6 1 2 1 1 1 0 20 7 6 0 0 end_operator begin_operator drive-medical-unit m5 l7 l8 0 1 1 0 20 7 8 0 0 end_operator begin_operator drive-medical-unit m5 l7 l9 0 1 1 0 20 7 9 0 0 end_operator begin_operator drive-medical-unit m5 l8 l1 0 1 1 0 20 8 0 0 0 end_operator begin_operator drive-medical-unit m5 l8 l2 0 1 1 0 20 8 2 0 0 end_operator begin_operator drive-medical-unit m5 l8 l3 1 1 1 1 1 0 20 8 3 0 0 end_operator begin_operator drive-medical-unit m5 l8 l4 0 1 1 0 20 8 4 0 0 end_operator begin_operator drive-medical-unit m5 l8 l5 0 1 1 0 20 8 5 0 0 end_operator begin_operator drive-medical-unit m5 l8 l6 1 2 1 1 1 0 20 8 6 0 0 end_operator begin_operator drive-medical-unit m5 l8 l7 1 3 1 1 1 0 20 8 7 0 0 end_operator begin_operator drive-medical-unit m5 l9 l1 0 1 1 0 20 9 0 0 0 end_operator begin_operator drive-medical-unit m5 l9 l2 0 1 1 0 20 9 2 0 0 end_operator begin_operator drive-medical-unit m5 l9 l3 1 1 1 1 1 0 20 9 3 0 0 end_operator begin_operator drive-medical-unit m5 l9 l4 0 1 1 0 20 9 4 0 0 end_operator begin_operator drive-medical-unit m5 l9 l5 0 1 1 0 20 9 5 0 0 end_operator begin_operator drive-medical-unit m5 l9 l6 1 2 1 1 1 0 20 9 6 0 0 end_operator begin_operator drive-medical-unit m5 l9 l7 1 3 1 1 1 0 20 9 7 0 0 end_operator begin_operator load-fire-unit f1 l1 1 4 0 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l10 1 4 1 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l3 1 4 3 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l4 1 4 4 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l5 1 4 5 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l6 1 4 6 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f1 l8 1 4 8 1 1 0 12 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l1 1 5 0 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l10 1 5 1 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l3 1 5 3 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l4 1 5 4 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l5 1 5 5 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l6 1 5 6 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f2 l8 1 5 8 1 1 0 13 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l1 1 6 0 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l10 1 6 1 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l3 1 6 3 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l4 1 6 4 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l5 1 6 5 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l6 1 6 6 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f3 l8 1 6 8 1 1 0 14 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l1 1 7 0 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l10 1 7 1 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l3 1 7 3 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l4 1 7 4 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l5 1 7 5 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l6 1 7 6 1 1 0 15 -1 0 0 0 end_operator begin_operator load-fire-unit f4 l8 1 7 8 1 1 0 15 -1 0 0 0 end_operator begin_operator load-medical-unit m1 l1 v1 1 16 0 1 1 0 8 5 0 0 0 end_operator begin_operator load-medical-unit m1 l1 v2 1 16 0 1 1 0 9 5 0 0 0 end_operator begin_operator load-medical-unit m1 l1 v3 1 16 0 1 1 0 10 5 0 0 0 end_operator begin_operator load-medical-unit m1 l1 v4 1 16 0 1 1 0 11 5 0 0 0 end_operator begin_operator load-medical-unit m1 l10 v1 1 16 1 1 1 0 8 6 0 0 0 end_operator begin_operator load-medical-unit m1 l10 v2 1 16 1 1 1 0 9 6 0 0 0 end_operator begin_operator load-medical-unit m1 l10 v3 1 16 1 1 1 0 10 6 0 0 0 end_operator begin_operator load-medical-unit m1 l10 v4 1 16 1 1 1 0 11 6 0 0 0 end_operator begin_operator load-medical-unit m1 l2 v1 1 16 2 1 1 0 8 7 0 0 0 end_operator begin_operator load-medical-unit m1 l2 v2 1 16 2 1 1 0 9 7 0 0 0 end_operator begin_operator load-medical-unit m1 l2 v3 1 16 2 1 1 0 10 7 0 0 0 end_operator begin_operator load-medical-unit m1 l2 v4 1 16 2 1 1 0 11 7 0 0 0 end_operator begin_operator load-medical-unit m1 l3 v1 1 16 3 1 1 0 8 8 0 0 0 end_operator begin_operator load-medical-unit m1 l3 v2 1 16 3 1 1 0 9 8 0 0 0 end_operator begin_operator load-medical-unit m1 l3 v3 1 16 3 1 1 0 10 8 0 0 0 end_operator begin_operator load-medical-unit m1 l3 v4 1 16 3 1 1 0 11 8 0 0 0 end_operator begin_operator load-medical-unit m1 l4 v1 1 16 4 1 1 0 8 9 0 0 0 end_operator begin_operator load-medical-unit m1 l4 v2 1 16 4 1 1 0 9 9 0 0 0 end_operator begin_operator load-medical-unit m1 l4 v3 1 16 4 1 1 0 10 9 0 0 0 end_operator begin_operator load-medical-unit m1 l4 v4 1 16 4 1 1 0 11 9 0 0 0 end_operator begin_operator load-medical-unit m1 l5 v1 1 16 5 1 1 0 8 10 0 0 0 end_operator begin_operator load-medical-unit m1 l5 v2 1 16 5 1 1 0 9 10 0 0 0 end_operator begin_operator load-medical-unit m1 l5 v3 1 16 5 1 1 0 10 10 0 0 0 end_operator begin_operator load-medical-unit m1 l5 v4 1 16 5 1 1 0 11 10 0 0 0 end_operator begin_operator load-medical-unit m1 l6 v1 1 16 6 1 1 0 8 11 0 0 0 end_operator begin_operator load-medical-unit m1 l6 v2 1 16 6 1 1 0 9 11 0 0 0 end_operator begin_operator load-medical-unit m1 l6 v3 1 16 6 1 1 0 10 11 0 0 0 end_operator begin_operator load-medical-unit m1 l6 v4 1 16 6 1 1 0 11 11 0 0 0 end_operator begin_operator load-medical-unit m1 l7 v1 1 16 7 1 1 0 8 12 0 0 0 end_operator begin_operator load-medical-unit m1 l7 v2 1 16 7 1 1 0 9 12 0 0 0 end_operator begin_operator load-medical-unit m1 l7 v3 1 16 7 1 1 0 10 12 0 0 0 end_operator begin_operator load-medical-unit m1 l7 v4 1 16 7 1 1 0 11 12 0 0 0 end_operator begin_operator load-medical-unit m1 l8 v1 1 16 8 1 1 0 8 13 0 0 0 end_operator begin_operator load-medical-unit m1 l8 v2 1 16 8 1 1 0 9 13 0 0 0 end_operator begin_operator load-medical-unit m1 l8 v3 1 16 8 1 1 0 10 13 0 0 0 end_operator begin_operator load-medical-unit m1 l8 v4 1 16 8 1 1 0 11 13 0 0 0 end_operator begin_operator load-medical-unit m1 l9 v1 1 16 9 1 1 0 8 14 0 0 0 end_operator begin_operator load-medical-unit m1 l9 v2 1 16 9 1 1 0 9 14 0 0 0 end_operator begin_operator load-medical-unit m1 l9 v3 1 16 9 1 1 0 10 14 0 0 0 end_operator begin_operator load-medical-unit m1 l9 v4 1 16 9 1 1 0 11 14 0 0 0 end_operator begin_operator load-medical-unit m2 l1 v1 1 17 0 1 1 0 8 5 1 0 0 end_operator begin_operator load-medical-unit m2 l1 v2 1 17 0 1 1 0 9 5 1 0 0 end_operator begin_operator load-medical-unit m2 l1 v3 1 17 0 1 1 0 10 5 1 0 0 end_operator begin_operator load-medical-unit m2 l1 v4 1 17 0 1 1 0 11 5 1 0 0 end_operator begin_operator load-medical-unit m2 l10 v1 1 17 1 1 1 0 8 6 1 0 0 end_operator begin_operator load-medical-unit m2 l10 v2 1 17 1 1 1 0 9 6 1 0 0 end_operator begin_operator load-medical-unit m2 l10 v3 1 17 1 1 1 0 10 6 1 0 0 end_operator begin_operator load-medical-unit m2 l10 v4 1 17 1 1 1 0 11 6 1 0 0 end_operator begin_operator load-medical-unit m2 l2 v1 1 17 2 1 1 0 8 7 1 0 0 end_operator begin_operator load-medical-unit m2 l2 v2 1 17 2 1 1 0 9 7 1 0 0 end_operator begin_operator load-medical-unit m2 l2 v3 1 17 2 1 1 0 10 7 1 0 0 end_operator begin_operator load-medical-unit m2 l2 v4 1 17 2 1 1 0 11 7 1 0 0 end_operator begin_operator load-medical-unit m2 l3 v1 1 17 3 1 1 0 8 8 1 0 0 end_operator begin_operator load-medical-unit m2 l3 v2 1 17 3 1 1 0 9 8 1 0 0 end_operator begin_operator load-medical-unit m2 l3 v3 1 17 3 1 1 0 10 8 1 0 0 end_operator begin_operator load-medical-unit m2 l3 v4 1 17 3 1 1 0 11 8 1 0 0 end_operator begin_operator load-medical-unit m2 l4 v1 1 17 4 1 1 0 8 9 1 0 0 end_operator begin_operator load-medical-unit m2 l4 v2 1 17 4 1 1 0 9 9 1 0 0 end_operator begin_operator load-medical-unit m2 l4 v3 1 17 4 1 1 0 10 9 1 0 0 end_operator begin_operator load-medical-unit m2 l4 v4 1 17 4 1 1 0 11 9 1 0 0 end_operator begin_operator load-medical-unit m2 l5 v1 1 17 5 1 1 0 8 10 1 0 0 end_operator begin_operator load-medical-unit m2 l5 v2 1 17 5 1 1 0 9 10 1 0 0 end_operator begin_operator load-medical-unit m2 l5 v3 1 17 5 1 1 0 10 10 1 0 0 end_operator begin_operator load-medical-unit m2 l5 v4 1 17 5 1 1 0 11 10 1 0 0 end_operator begin_operator load-medical-unit m2 l6 v1 1 17 6 1 1 0 8 11 1 0 0 end_operator begin_operator load-medical-unit m2 l6 v2 1 17 6 1 1 0 9 11 1 0 0 end_operator begin_operator load-medical-unit m2 l6 v3 1 17 6 1 1 0 10 11 1 0 0 end_operator begin_operator load-medical-unit m2 l6 v4 1 17 6 1 1 0 11 11 1 0 0 end_operator begin_operator load-medical-unit m2 l7 v1 1 17 7 1 1 0 8 12 1 0 0 end_operator begin_operator load-medical-unit m2 l7 v2 1 17 7 1 1 0 9 12 1 0 0 end_operator begin_operator load-medical-unit m2 l7 v3 1 17 7 1 1 0 10 12 1 0 0 end_operator begin_operator load-medical-unit m2 l7 v4 1 17 7 1 1 0 11 12 1 0 0 end_operator begin_operator load-medical-unit m2 l8 v1 1 17 8 1 1 0 8 13 1 0 0 end_operator begin_operator load-medical-unit m2 l8 v2 1 17 8 1 1 0 9 13 1 0 0 end_operator begin_operator load-medical-unit m2 l8 v3 1 17 8 1 1 0 10 13 1 0 0 end_operator begin_operator load-medical-unit m2 l8 v4 1 17 8 1 1 0 11 13 1 0 0 end_operator begin_operator load-medical-unit m2 l9 v1 1 17 9 1 1 0 8 14 1 0 0 end_operator begin_operator load-medical-unit m2 l9 v2 1 17 9 1 1 0 9 14 1 0 0 end_operator begin_operator load-medical-unit m2 l9 v3 1 17 9 1 1 0 10 14 1 0 0 end_operator begin_operator load-medical-unit m2 l9 v4 1 17 9 1 1 0 11 14 1 0 0 end_operator begin_operator load-medical-unit m3 l1 v1 1 18 0 1 1 0 8 5 2 0 0 end_operator begin_operator load-medical-unit m3 l1 v2 1 18 0 1 1 0 9 5 2 0 0 end_operator begin_operator load-medical-unit m3 l1 v3 1 18 0 1 1 0 10 5 2 0 0 end_operator begin_operator load-medical-unit m3 l1 v4 1 18 0 1 1 0 11 5 2 0 0 end_operator begin_operator load-medical-unit m3 l10 v1 1 18 1 1 1 0 8 6 2 0 0 end_operator begin_operator load-medical-unit m3 l10 v2 1 18 1 1 1 0 9 6 2 0 0 end_operator begin_operator load-medical-unit m3 l10 v3 1 18 1 1 1 0 10 6 2 0 0 end_operator begin_operator load-medical-unit m3 l10 v4 1 18 1 1 1 0 11 6 2 0 0 end_operator begin_operator load-medical-unit m3 l2 v1 1 18 2 1 1 0 8 7 2 0 0 end_operator begin_operator load-medical-unit m3 l2 v2 1 18 2 1 1 0 9 7 2 0 0 end_operator begin_operator load-medical-unit m3 l2 v3 1 18 2 1 1 0 10 7 2 0 0 end_operator begin_operator load-medical-unit m3 l2 v4 1 18 2 1 1 0 11 7 2 0 0 end_operator begin_operator load-medical-unit m3 l3 v1 1 18 3 1 1 0 8 8 2 0 0 end_operator begin_operator load-medical-unit m3 l3 v2 1 18 3 1 1 0 9 8 2 0 0 end_operator begin_operator load-medical-unit m3 l3 v3 1 18 3 1 1 0 10 8 2 0 0 end_operator begin_operator load-medical-unit m3 l3 v4 1 18 3 1 1 0 11 8 2 0 0 end_operator begin_operator load-medical-unit m3 l4 v1 1 18 4 1 1 0 8 9 2 0 0 end_operator begin_operator load-medical-unit m3 l4 v2 1 18 4 1 1 0 9 9 2 0 0 end_operator begin_operator load-medical-unit m3 l4 v3 1 18 4 1 1 0 10 9 2 0 0 end_operator begin_operator load-medical-unit m3 l4 v4 1 18 4 1 1 0 11 9 2 0 0 end_operator begin_operator load-medical-unit m3 l5 v1 1 18 5 1 1 0 8 10 2 0 0 end_operator begin_operator load-medical-unit m3 l5 v2 1 18 5 1 1 0 9 10 2 0 0 end_operator begin_operator load-medical-unit m3 l5 v3 1 18 5 1 1 0 10 10 2 0 0 end_operator begin_operator load-medical-unit m3 l5 v4 1 18 5 1 1 0 11 10 2 0 0 end_operator begin_operator load-medical-unit m3 l6 v1 1 18 6 1 1 0 8 11 2 0 0 end_operator begin_operator load-medical-unit m3 l6 v2 1 18 6 1 1 0 9 11 2 0 0 end_operator begin_operator load-medical-unit m3 l6 v3 1 18 6 1 1 0 10 11 2 0 0 end_operator begin_operator load-medical-unit m3 l6 v4 1 18 6 1 1 0 11 11 2 0 0 end_operator begin_operator load-medical-unit m3 l7 v1 1 18 7 1 1 0 8 12 2 0 0 end_operator begin_operator load-medical-unit m3 l7 v2 1 18 7 1 1 0 9 12 2 0 0 end_operator begin_operator load-medical-unit m3 l7 v3 1 18 7 1 1 0 10 12 2 0 0 end_operator begin_operator load-medical-unit m3 l7 v4 1 18 7 1 1 0 11 12 2 0 0 end_operator begin_operator load-medical-unit m3 l8 v1 1 18 8 1 1 0 8 13 2 0 0 end_operator begin_operator load-medical-unit m3 l8 v2 1 18 8 1 1 0 9 13 2 0 0 end_operator begin_operator load-medical-unit m3 l8 v3 1 18 8 1 1 0 10 13 2 0 0 end_operator begin_operator load-medical-unit m3 l8 v4 1 18 8 1 1 0 11 13 2 0 0 end_operator begin_operator load-medical-unit m3 l9 v1 1 18 9 1 1 0 8 14 2 0 0 end_operator begin_operator load-medical-unit m3 l9 v2 1 18 9 1 1 0 9 14 2 0 0 end_operator begin_operator load-medical-unit m3 l9 v3 1 18 9 1 1 0 10 14 2 0 0 end_operator begin_operator load-medical-unit m3 l9 v4 1 18 9 1 1 0 11 14 2 0 0 end_operator begin_operator load-medical-unit m4 l1 v1 1 19 0 1 1 0 8 5 3 0 0 end_operator begin_operator load-medical-unit m4 l1 v2 1 19 0 1 1 0 9 5 3 0 0 end_operator begin_operator load-medical-unit m4 l1 v3 1 19 0 1 1 0 10 5 3 0 0 end_operator begin_operator load-medical-unit m4 l1 v4 1 19 0 1 1 0 11 5 3 0 0 end_operator begin_operator load-medical-unit m4 l10 v1 1 19 1 1 1 0 8 6 3 0 0 end_operator begin_operator load-medical-unit m4 l10 v2 1 19 1 1 1 0 9 6 3 0 0 end_operator begin_operator load-medical-unit m4 l10 v3 1 19 1 1 1 0 10 6 3 0 0 end_operator begin_operator load-medical-unit m4 l10 v4 1 19 1 1 1 0 11 6 3 0 0 end_operator begin_operator load-medical-unit m4 l2 v1 1 19 2 1 1 0 8 7 3 0 0 end_operator begin_operator load-medical-unit m4 l2 v2 1 19 2 1 1 0 9 7 3 0 0 end_operator begin_operator load-medical-unit m4 l2 v3 1 19 2 1 1 0 10 7 3 0 0 end_operator begin_operator load-medical-unit m4 l2 v4 1 19 2 1 1 0 11 7 3 0 0 end_operator begin_operator load-medical-unit m4 l3 v1 1 19 3 1 1 0 8 8 3 0 0 end_operator begin_operator load-medical-unit m4 l3 v2 1 19 3 1 1 0 9 8 3 0 0 end_operator begin_operator load-medical-unit m4 l3 v3 1 19 3 1 1 0 10 8 3 0 0 end_operator begin_operator load-medical-unit m4 l3 v4 1 19 3 1 1 0 11 8 3 0 0 end_operator begin_operator load-medical-unit m4 l4 v1 1 19 4 1 1 0 8 9 3 0 0 end_operator begin_operator load-medical-unit m4 l4 v2 1 19 4 1 1 0 9 9 3 0 0 end_operator begin_operator load-medical-unit m4 l4 v3 1 19 4 1 1 0 10 9 3 0 0 end_operator begin_operator load-medical-unit m4 l4 v4 1 19 4 1 1 0 11 9 3 0 0 end_operator begin_operator load-medical-unit m4 l5 v1 1 19 5 1 1 0 8 10 3 0 0 end_operator begin_operator load-medical-unit m4 l5 v2 1 19 5 1 1 0 9 10 3 0 0 end_operator begin_operator load-medical-unit m4 l5 v3 1 19 5 1 1 0 10 10 3 0 0 end_operator begin_operator load-medical-unit m4 l5 v4 1 19 5 1 1 0 11 10 3 0 0 end_operator begin_operator load-medical-unit m4 l6 v1 1 19 6 1 1 0 8 11 3 0 0 end_operator begin_operator load-medical-unit m4 l6 v2 1 19 6 1 1 0 9 11 3 0 0 end_operator begin_operator load-medical-unit m4 l6 v3 1 19 6 1 1 0 10 11 3 0 0 end_operator begin_operator load-medical-unit m4 l6 v4 1 19 6 1 1 0 11 11 3 0 0 end_operator begin_operator load-medical-unit m4 l7 v1 1 19 7 1 1 0 8 12 3 0 0 end_operator begin_operator load-medical-unit m4 l7 v2 1 19 7 1 1 0 9 12 3 0 0 end_operator begin_operator load-medical-unit m4 l7 v3 1 19 7 1 1 0 10 12 3 0 0 end_operator begin_operator load-medical-unit m4 l7 v4 1 19 7 1 1 0 11 12 3 0 0 end_operator begin_operator load-medical-unit m4 l8 v1 1 19 8 1 1 0 8 13 3 0 0 end_operator begin_operator load-medical-unit m4 l8 v2 1 19 8 1 1 0 9 13 3 0 0 end_operator begin_operator load-medical-unit m4 l8 v3 1 19 8 1 1 0 10 13 3 0 0 end_operator begin_operator load-medical-unit m4 l8 v4 1 19 8 1 1 0 11 13 3 0 0 end_operator begin_operator load-medical-unit m4 l9 v1 1 19 9 1 1 0 8 14 3 0 0 end_operator begin_operator load-medical-unit m4 l9 v2 1 19 9 1 1 0 9 14 3 0 0 end_operator begin_operator load-medical-unit m4 l9 v3 1 19 9 1 1 0 10 14 3 0 0 end_operator begin_operator load-medical-unit m4 l9 v4 1 19 9 1 1 0 11 14 3 0 0 end_operator begin_operator load-medical-unit m5 l1 v1 1 20 0 1 1 0 8 5 4 0 0 end_operator begin_operator load-medical-unit m5 l1 v2 1 20 0 1 1 0 9 5 4 0 0 end_operator begin_operator load-medical-unit m5 l1 v3 1 20 0 1 1 0 10 5 4 0 0 end_operator begin_operator load-medical-unit m5 l1 v4 1 20 0 1 1 0 11 5 4 0 0 end_operator begin_operator load-medical-unit m5 l10 v1 1 20 1 1 1 0 8 6 4 0 0 end_operator begin_operator load-medical-unit m5 l10 v2 1 20 1 1 1 0 9 6 4 0 0 end_operator begin_operator load-medical-unit m5 l10 v3 1 20 1 1 1 0 10 6 4 0 0 end_operator begin_operator load-medical-unit m5 l10 v4 1 20 1 1 1 0 11 6 4 0 0 end_operator begin_operator load-medical-unit m5 l2 v1 1 20 2 1 1 0 8 7 4 0 0 end_operator begin_operator load-medical-unit m5 l2 v2 1 20 2 1 1 0 9 7 4 0 0 end_operator begin_operator load-medical-unit m5 l2 v3 1 20 2 1 1 0 10 7 4 0 0 end_operator begin_operator load-medical-unit m5 l2 v4 1 20 2 1 1 0 11 7 4 0 0 end_operator begin_operator load-medical-unit m5 l3 v1 1 20 3 1 1 0 8 8 4 0 0 end_operator begin_operator load-medical-unit m5 l3 v2 1 20 3 1 1 0 9 8 4 0 0 end_operator begin_operator load-medical-unit m5 l3 v3 1 20 3 1 1 0 10 8 4 0 0 end_operator begin_operator load-medical-unit m5 l3 v4 1 20 3 1 1 0 11 8 4 0 0 end_operator begin_operator load-medical-unit m5 l4 v1 1 20 4 1 1 0 8 9 4 0 0 end_operator begin_operator load-medical-unit m5 l4 v2 1 20 4 1 1 0 9 9 4 0 0 end_operator begin_operator load-medical-unit m5 l4 v3 1 20 4 1 1 0 10 9 4 0 0 end_operator begin_operator load-medical-unit m5 l4 v4 1 20 4 1 1 0 11 9 4 0 0 end_operator begin_operator load-medical-unit m5 l5 v1 1 20 5 1 1 0 8 10 4 0 0 end_operator begin_operator load-medical-unit m5 l5 v2 1 20 5 1 1 0 9 10 4 0 0 end_operator begin_operator load-medical-unit m5 l5 v3 1 20 5 1 1 0 10 10 4 0 0 end_operator begin_operator load-medical-unit m5 l5 v4 1 20 5 1 1 0 11 10 4 0 0 end_operator begin_operator load-medical-unit m5 l6 v1 1 20 6 1 1 0 8 11 4 0 0 end_operator begin_operator load-medical-unit m5 l6 v2 1 20 6 1 1 0 9 11 4 0 0 end_operator begin_operator load-medical-unit m5 l6 v3 1 20 6 1 1 0 10 11 4 0 0 end_operator begin_operator load-medical-unit m5 l6 v4 1 20 6 1 1 0 11 11 4 0 0 end_operator begin_operator load-medical-unit m5 l7 v1 1 20 7 1 1 0 8 12 4 0 0 end_operator begin_operator load-medical-unit m5 l7 v2 1 20 7 1 1 0 9 12 4 0 0 end_operator begin_operator load-medical-unit m5 l7 v3 1 20 7 1 1 0 10 12 4 0 0 end_operator begin_operator load-medical-unit m5 l7 v4 1 20 7 1 1 0 11 12 4 0 0 end_operator begin_operator load-medical-unit m5 l8 v1 1 20 8 1 1 0 8 13 4 0 0 end_operator begin_operator load-medical-unit m5 l8 v2 1 20 8 1 1 0 9 13 4 0 0 end_operator begin_operator load-medical-unit m5 l8 v3 1 20 8 1 1 0 10 13 4 0 0 end_operator begin_operator load-medical-unit m5 l8 v4 1 20 8 1 1 0 11 13 4 0 0 end_operator begin_operator load-medical-unit m5 l9 v1 1 20 9 1 1 0 8 14 4 0 0 end_operator begin_operator load-medical-unit m5 l9 v2 1 20 9 1 1 0 9 14 4 0 0 end_operator begin_operator load-medical-unit m5 l9 v3 1 20 9 1 1 0 10 14 4 0 0 end_operator begin_operator load-medical-unit m5 l9 v4 1 20 9 1 1 0 11 14 4 0 0 end_operator begin_operator sensefirefire f1 l1 l10 1 4 0 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l1 l3 1 4 0 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l1 l7 1 4 0 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l10 l10 1 4 1 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l10 l3 1 4 1 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l10 l6 1 4 1 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l10 l7 1 4 1 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l2 l10 1 4 2 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l2 l7 1 4 2 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l3 l10 1 4 3 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l3 l3 1 4 3 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l3 l7 1 4 3 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l4 l10 1 4 4 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l4 l3 1 4 4 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l4 l6 1 4 4 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l4 l7 1 4 4 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l5 l10 1 4 5 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l5 l3 1 4 5 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l5 l6 1 4 5 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l5 l7 1 4 5 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l6 l10 1 4 6 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l6 l6 1 4 6 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l6 l7 1 4 6 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l7 l10 1 4 7 1 0 0 1 0 0 end_operator begin_operator sensefirefire f1 l7 l3 1 4 7 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l7 l6 1 4 7 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l7 l7 1 4 7 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l8 l3 1 4 8 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l8 l6 1 4 8 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l8 l7 1 4 8 1 0 0 1 3 0 end_operator begin_operator sensefirefire f1 l9 l3 1 4 9 1 0 0 1 1 0 end_operator begin_operator sensefirefire f1 l9 l6 1 4 9 1 0 0 1 2 0 end_operator begin_operator sensefirefire f1 l9 l7 1 4 9 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l1 l10 1 5 0 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l1 l3 1 5 0 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l1 l7 1 5 0 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l10 l10 1 5 1 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l10 l3 1 5 1 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l10 l6 1 5 1 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l10 l7 1 5 1 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l2 l10 1 5 2 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l2 l7 1 5 2 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l3 l10 1 5 3 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l3 l3 1 5 3 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l3 l7 1 5 3 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l4 l10 1 5 4 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l4 l3 1 5 4 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l4 l6 1 5 4 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l4 l7 1 5 4 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l5 l10 1 5 5 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l5 l3 1 5 5 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l5 l6 1 5 5 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l5 l7 1 5 5 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l6 l10 1 5 6 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l6 l6 1 5 6 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l6 l7 1 5 6 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l7 l10 1 5 7 1 0 0 1 0 0 end_operator begin_operator sensefirefire f2 l7 l3 1 5 7 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l7 l6 1 5 7 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l7 l7 1 5 7 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l8 l3 1 5 8 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l8 l6 1 5 8 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l8 l7 1 5 8 1 0 0 1 3 0 end_operator begin_operator sensefirefire f2 l9 l3 1 5 9 1 0 0 1 1 0 end_operator begin_operator sensefirefire f2 l9 l6 1 5 9 1 0 0 1 2 0 end_operator begin_operator sensefirefire f2 l9 l7 1 5 9 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l1 l10 1 6 0 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l1 l3 1 6 0 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l1 l7 1 6 0 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l10 l10 1 6 1 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l10 l3 1 6 1 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l10 l6 1 6 1 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l10 l7 1 6 1 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l2 l10 1 6 2 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l2 l7 1 6 2 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l3 l10 1 6 3 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l3 l3 1 6 3 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l3 l7 1 6 3 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l4 l10 1 6 4 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l4 l3 1 6 4 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l4 l6 1 6 4 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l4 l7 1 6 4 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l5 l10 1 6 5 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l5 l3 1 6 5 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l5 l6 1 6 5 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l5 l7 1 6 5 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l6 l10 1 6 6 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l6 l6 1 6 6 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l6 l7 1 6 6 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l7 l10 1 6 7 1 0 0 1 0 0 end_operator begin_operator sensefirefire f3 l7 l3 1 6 7 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l7 l6 1 6 7 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l7 l7 1 6 7 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l8 l3 1 6 8 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l8 l6 1 6 8 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l8 l7 1 6 8 1 0 0 1 3 0 end_operator begin_operator sensefirefire f3 l9 l3 1 6 9 1 0 0 1 1 0 end_operator begin_operator sensefirefire f3 l9 l6 1 6 9 1 0 0 1 2 0 end_operator begin_operator sensefirefire f3 l9 l7 1 6 9 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l1 l10 1 7 0 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l1 l3 1 7 0 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l1 l7 1 7 0 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l10 l10 1 7 1 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l10 l3 1 7 1 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l10 l6 1 7 1 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l10 l7 1 7 1 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l2 l10 1 7 2 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l2 l7 1 7 2 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l3 l10 1 7 3 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l3 l3 1 7 3 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l3 l7 1 7 3 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l4 l10 1 7 4 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l4 l3 1 7 4 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l4 l6 1 7 4 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l4 l7 1 7 4 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l5 l10 1 7 5 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l5 l3 1 7 5 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l5 l6 1 7 5 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l5 l7 1 7 5 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l6 l10 1 7 6 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l6 l6 1 7 6 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l6 l7 1 7 6 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l7 l10 1 7 7 1 0 0 1 0 0 end_operator begin_operator sensefirefire f4 l7 l3 1 7 7 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l7 l6 1 7 7 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l7 l7 1 7 7 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l8 l3 1 7 8 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l8 l6 1 7 8 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l8 l7 1 7 8 1 0 0 1 3 0 end_operator begin_operator sensefirefire f4 l9 l3 1 7 9 1 0 0 1 1 0 end_operator begin_operator sensefirefire f4 l9 l6 1 7 9 1 0 0 1 2 0 end_operator begin_operator sensefirefire f4 l9 l7 1 7 9 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l1 l10 1 16 0 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l1 l3 1 16 0 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l1 l7 1 16 0 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l10 l10 1 16 1 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l10 l3 1 16 1 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l10 l6 1 16 1 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l10 l7 1 16 1 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l2 l10 1 16 2 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l2 l7 1 16 2 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l3 l10 1 16 3 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l3 l3 1 16 3 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l3 l7 1 16 3 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l4 l10 1 16 4 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l4 l3 1 16 4 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l4 l6 1 16 4 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l4 l7 1 16 4 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l5 l10 1 16 5 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l5 l3 1 16 5 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l5 l6 1 16 5 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l5 l7 1 16 5 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l6 l10 1 16 6 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l6 l6 1 16 6 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l6 l7 1 16 6 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l7 l10 1 16 7 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m1 l7 l3 1 16 7 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l7 l6 1 16 7 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l7 l7 1 16 7 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l8 l3 1 16 8 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l8 l6 1 16 8 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l8 l7 1 16 8 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m1 l9 l3 1 16 9 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m1 l9 l6 1 16 9 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m1 l9 l7 1 16 9 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l1 l10 1 17 0 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l1 l3 1 17 0 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l1 l7 1 17 0 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l10 l10 1 17 1 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l10 l3 1 17 1 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l10 l6 1 17 1 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l10 l7 1 17 1 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l2 l10 1 17 2 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l2 l7 1 17 2 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l3 l10 1 17 3 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l3 l3 1 17 3 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l3 l7 1 17 3 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l4 l10 1 17 4 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l4 l3 1 17 4 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l4 l6 1 17 4 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l4 l7 1 17 4 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l5 l10 1 17 5 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l5 l3 1 17 5 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l5 l6 1 17 5 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l5 l7 1 17 5 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l6 l10 1 17 6 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l6 l6 1 17 6 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l6 l7 1 17 6 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l7 l10 1 17 7 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m2 l7 l3 1 17 7 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l7 l6 1 17 7 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l7 l7 1 17 7 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l8 l3 1 17 8 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l8 l6 1 17 8 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l8 l7 1 17 8 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m2 l9 l3 1 17 9 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m2 l9 l6 1 17 9 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m2 l9 l7 1 17 9 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l1 l10 1 18 0 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l1 l3 1 18 0 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l1 l7 1 18 0 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l10 l10 1 18 1 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l10 l3 1 18 1 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l10 l6 1 18 1 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l10 l7 1 18 1 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l2 l10 1 18 2 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l2 l7 1 18 2 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l3 l10 1 18 3 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l3 l3 1 18 3 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l3 l7 1 18 3 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l4 l10 1 18 4 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l4 l3 1 18 4 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l4 l6 1 18 4 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l4 l7 1 18 4 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l5 l10 1 18 5 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l5 l3 1 18 5 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l5 l6 1 18 5 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l5 l7 1 18 5 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l6 l10 1 18 6 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l6 l6 1 18 6 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l6 l7 1 18 6 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l7 l10 1 18 7 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m3 l7 l3 1 18 7 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l7 l6 1 18 7 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l7 l7 1 18 7 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l8 l3 1 18 8 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l8 l6 1 18 8 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l8 l7 1 18 8 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m3 l9 l3 1 18 9 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m3 l9 l6 1 18 9 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m3 l9 l7 1 18 9 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l1 l10 1 19 0 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l1 l3 1 19 0 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l1 l7 1 19 0 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l10 l10 1 19 1 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l10 l3 1 19 1 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l10 l6 1 19 1 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l10 l7 1 19 1 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l2 l10 1 19 2 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l2 l7 1 19 2 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l3 l10 1 19 3 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l3 l3 1 19 3 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l3 l7 1 19 3 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l4 l10 1 19 4 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l4 l3 1 19 4 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l4 l6 1 19 4 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l4 l7 1 19 4 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l5 l10 1 19 5 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l5 l3 1 19 5 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l5 l6 1 19 5 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l5 l7 1 19 5 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l6 l10 1 19 6 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l6 l6 1 19 6 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l6 l7 1 19 6 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l7 l10 1 19 7 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m4 l7 l3 1 19 7 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l7 l6 1 19 7 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l7 l7 1 19 7 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l8 l3 1 19 8 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l8 l6 1 19 8 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l8 l7 1 19 8 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m4 l9 l3 1 19 9 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m4 l9 l6 1 19 9 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m4 l9 l7 1 19 9 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l1 l10 1 20 0 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l1 l3 1 20 0 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l1 l7 1 20 0 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l10 l10 1 20 1 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l10 l3 1 20 1 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l10 l6 1 20 1 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l10 l7 1 20 1 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l2 l10 1 20 2 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l2 l7 1 20 2 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l3 l10 1 20 3 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l3 l3 1 20 3 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l3 l7 1 20 3 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l4 l10 1 20 4 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l4 l3 1 20 4 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l4 l6 1 20 4 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l4 l7 1 20 4 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l5 l10 1 20 5 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l5 l3 1 20 5 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l5 l6 1 20 5 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l5 l7 1 20 5 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l6 l10 1 20 6 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l6 l6 1 20 6 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l6 l7 1 20 6 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l7 l10 1 20 7 1 0 0 1 0 0 end_operator begin_operator sensefiremedical m5 l7 l3 1 20 7 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l7 l6 1 20 7 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l7 l7 1 20 7 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l8 l3 1 20 8 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l8 l6 1 20 8 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l8 l7 1 20 8 1 0 0 1 3 0 end_operator begin_operator sensefiremedical m5 l9 l3 1 20 9 1 0 0 1 1 0 end_operator begin_operator sensefiremedical m5 l9 l6 1 20 9 1 0 0 1 2 0 end_operator begin_operator sensefiremedical m5 l9 l7 1 20 9 1 0 0 1 3 0 end_operator begin_operator sensehealthyfire f1 l1 v1 2 4 0 8 5 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l1 v2 2 4 0 9 5 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l1 v3 2 4 0 10 5 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l1 v4 2 4 0 11 5 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l10 v1 2 4 1 8 6 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l10 v2 2 4 1 9 6 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l10 v3 2 4 1 10 6 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l10 v4 2 4 1 11 6 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l2 v1 2 4 2 8 7 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l2 v2 2 4 2 9 7 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l2 v3 2 4 2 10 7 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l2 v4 2 4 2 11 7 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l3 v1 2 4 3 8 8 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l3 v2 2 4 3 9 8 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l3 v3 2 4 3 10 8 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l3 v4 2 4 3 11 8 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l4 v1 2 4 4 8 9 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l4 v2 2 4 4 9 9 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l4 v3 2 4 4 10 9 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l4 v4 2 4 4 11 9 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l5 v1 2 4 5 8 10 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l5 v2 2 4 5 9 10 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l5 v3 2 4 5 10 10 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l5 v4 2 4 5 11 10 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l6 v1 2 4 6 8 11 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l6 v2 2 4 6 9 11 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l6 v3 2 4 6 10 11 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l6 v4 2 4 6 11 11 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l7 v1 2 4 7 8 12 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l7 v2 2 4 7 9 12 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l7 v3 2 4 7 10 12 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l7 v4 2 4 7 11 12 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l8 v1 2 4 8 8 13 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l8 v2 2 4 8 9 13 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l8 v3 2 4 8 10 13 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l8 v4 2 4 8 11 13 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f1 l9 v1 2 4 9 8 14 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f1 l9 v2 2 4 9 9 14 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f1 l9 v3 2 4 9 10 14 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f1 l9 v4 2 4 9 11 14 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l1 v1 2 5 0 8 5 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l1 v2 2 5 0 9 5 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l1 v3 2 5 0 10 5 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l1 v4 2 5 0 11 5 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l10 v1 2 5 1 8 6 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l10 v2 2 5 1 9 6 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l10 v3 2 5 1 10 6 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l10 v4 2 5 1 11 6 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l2 v1 2 5 2 8 7 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l2 v2 2 5 2 9 7 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l2 v3 2 5 2 10 7 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l2 v4 2 5 2 11 7 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l3 v1 2 5 3 8 8 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l3 v2 2 5 3 9 8 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l3 v3 2 5 3 10 8 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l3 v4 2 5 3 11 8 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l4 v1 2 5 4 8 9 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l4 v2 2 5 4 9 9 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l4 v3 2 5 4 10 9 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l4 v4 2 5 4 11 9 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l5 v1 2 5 5 8 10 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l5 v2 2 5 5 9 10 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l5 v3 2 5 5 10 10 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l5 v4 2 5 5 11 10 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l6 v1 2 5 6 8 11 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l6 v2 2 5 6 9 11 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l6 v3 2 5 6 10 11 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l6 v4 2 5 6 11 11 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l7 v1 2 5 7 8 12 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l7 v2 2 5 7 9 12 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l7 v3 2 5 7 10 12 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l7 v4 2 5 7 11 12 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l8 v1 2 5 8 8 13 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l8 v2 2 5 8 9 13 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l8 v3 2 5 8 10 13 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l8 v4 2 5 8 11 13 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f2 l9 v1 2 5 9 8 14 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f2 l9 v2 2 5 9 9 14 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f2 l9 v3 2 5 9 10 14 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f2 l9 v4 2 5 9 11 14 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l1 v1 2 6 0 8 5 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l1 v2 2 6 0 9 5 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l1 v3 2 6 0 10 5 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l1 v4 2 6 0 11 5 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l10 v1 2 6 1 8 6 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l10 v2 2 6 1 9 6 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l10 v3 2 6 1 10 6 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l10 v4 2 6 1 11 6 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l2 v1 2 6 2 8 7 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l2 v2 2 6 2 9 7 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l2 v3 2 6 2 10 7 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l2 v4 2 6 2 11 7 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l3 v1 2 6 3 8 8 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l3 v2 2 6 3 9 8 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l3 v3 2 6 3 10 8 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l3 v4 2 6 3 11 8 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l4 v1 2 6 4 8 9 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l4 v2 2 6 4 9 9 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l4 v3 2 6 4 10 9 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l4 v4 2 6 4 11 9 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l5 v1 2 6 5 8 10 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l5 v2 2 6 5 9 10 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l5 v3 2 6 5 10 10 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l5 v4 2 6 5 11 10 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l6 v1 2 6 6 8 11 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l6 v2 2 6 6 9 11 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l6 v3 2 6 6 10 11 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l6 v4 2 6 6 11 11 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l7 v1 2 6 7 8 12 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l7 v2 2 6 7 9 12 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l7 v3 2 6 7 10 12 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l7 v4 2 6 7 11 12 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l8 v1 2 6 8 8 13 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l8 v2 2 6 8 9 13 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l8 v3 2 6 8 10 13 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l8 v4 2 6 8 11 13 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f3 l9 v1 2 6 9 8 14 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f3 l9 v2 2 6 9 9 14 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f3 l9 v3 2 6 9 10 14 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f3 l9 v4 2 6 9 11 14 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l1 v1 2 7 0 8 5 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l1 v2 2 7 0 9 5 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l1 v3 2 7 0 10 5 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l1 v4 2 7 0 11 5 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l10 v1 2 7 1 8 6 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l10 v2 2 7 1 9 6 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l10 v3 2 7 1 10 6 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l10 v4 2 7 1 11 6 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l2 v1 2 7 2 8 7 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l2 v2 2 7 2 9 7 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l2 v3 2 7 2 10 7 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l2 v4 2 7 2 11 7 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l3 v1 2 7 3 8 8 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l3 v2 2 7 3 9 8 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l3 v3 2 7 3 10 8 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l3 v4 2 7 3 11 8 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l4 v1 2 7 4 8 9 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l4 v2 2 7 4 9 9 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l4 v3 2 7 4 10 9 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l4 v4 2 7 4 11 9 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l5 v1 2 7 5 8 10 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l5 v2 2 7 5 9 10 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l5 v3 2 7 5 10 10 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l5 v4 2 7 5 11 10 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l6 v1 2 7 6 8 11 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l6 v2 2 7 6 9 11 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l6 v3 2 7 6 10 11 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l6 v4 2 7 6 11 11 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l7 v1 2 7 7 8 12 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l7 v2 2 7 7 9 12 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l7 v3 2 7 7 10 12 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l7 v4 2 7 7 11 12 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l8 v1 2 7 8 8 13 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l8 v2 2 7 8 9 13 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l8 v3 2 7 8 10 13 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l8 v4 2 7 8 11 13 1 0 0 1 28 0 end_operator begin_operator sensehealthyfire f4 l9 v1 2 7 9 8 14 1 0 0 1 21 0 end_operator begin_operator sensehealthyfire f4 l9 v2 2 7 9 9 14 1 0 0 1 23 0 end_operator begin_operator sensehealthyfire f4 l9 v3 2 7 9 10 14 1 0 0 1 26 0 end_operator begin_operator sensehealthyfire f4 l9 v4 2 7 9 11 14 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l1 v1 2 8 5 16 0 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l1 v2 2 9 5 16 0 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l1 v3 2 10 5 16 0 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l1 v4 2 11 5 16 0 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l10 v1 2 8 6 16 1 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l10 v2 2 9 6 16 1 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l10 v3 2 10 6 16 1 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l10 v4 2 11 6 16 1 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l2 v1 2 8 7 16 2 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l2 v2 2 9 7 16 2 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l2 v3 2 10 7 16 2 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l2 v4 2 11 7 16 2 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l3 v1 2 8 8 16 3 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l3 v2 2 9 8 16 3 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l3 v3 2 10 8 16 3 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l3 v4 2 11 8 16 3 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l4 v1 2 8 9 16 4 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l4 v2 2 9 9 16 4 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l4 v3 2 10 9 16 4 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l4 v4 2 11 9 16 4 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l5 v1 2 8 10 16 5 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l5 v2 2 9 10 16 5 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l5 v3 2 10 10 16 5 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l5 v4 2 11 10 16 5 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l6 v1 2 8 11 16 6 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l6 v2 2 9 11 16 6 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l6 v3 2 10 11 16 6 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l6 v4 2 11 11 16 6 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l7 v1 2 8 12 16 7 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l7 v2 2 9 12 16 7 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l7 v3 2 10 12 16 7 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l7 v4 2 11 12 16 7 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l8 v1 2 8 13 16 8 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l8 v2 2 9 13 16 8 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l8 v3 2 10 13 16 8 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l8 v4 2 11 13 16 8 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m1 l9 v1 2 8 14 16 9 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m1 l9 v2 2 9 14 16 9 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m1 l9 v3 2 10 14 16 9 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m1 l9 v4 2 11 14 16 9 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l1 v1 2 8 5 17 0 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l1 v2 2 9 5 17 0 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l1 v3 2 10 5 17 0 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l1 v4 2 11 5 17 0 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l10 v1 2 8 6 17 1 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l10 v2 2 9 6 17 1 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l10 v3 2 10 6 17 1 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l10 v4 2 11 6 17 1 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l2 v1 2 8 7 17 2 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l2 v2 2 9 7 17 2 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l2 v3 2 10 7 17 2 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l2 v4 2 11 7 17 2 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l3 v1 2 8 8 17 3 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l3 v2 2 9 8 17 3 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l3 v3 2 10 8 17 3 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l3 v4 2 11 8 17 3 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l4 v1 2 8 9 17 4 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l4 v2 2 9 9 17 4 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l4 v3 2 10 9 17 4 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l4 v4 2 11 9 17 4 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l5 v1 2 8 10 17 5 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l5 v2 2 9 10 17 5 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l5 v3 2 10 10 17 5 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l5 v4 2 11 10 17 5 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l6 v1 2 8 11 17 6 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l6 v2 2 9 11 17 6 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l6 v3 2 10 11 17 6 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l6 v4 2 11 11 17 6 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l7 v1 2 8 12 17 7 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l7 v2 2 9 12 17 7 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l7 v3 2 10 12 17 7 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l7 v4 2 11 12 17 7 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l8 v1 2 8 13 17 8 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l8 v2 2 9 13 17 8 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l8 v3 2 10 13 17 8 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l8 v4 2 11 13 17 8 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m2 l9 v1 2 8 14 17 9 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m2 l9 v2 2 9 14 17 9 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m2 l9 v3 2 10 14 17 9 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m2 l9 v4 2 11 14 17 9 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l1 v1 2 8 5 18 0 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l1 v2 2 9 5 18 0 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l1 v3 2 10 5 18 0 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l1 v4 2 11 5 18 0 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l10 v1 2 8 6 18 1 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l10 v2 2 9 6 18 1 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l10 v3 2 10 6 18 1 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l10 v4 2 11 6 18 1 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l2 v1 2 8 7 18 2 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l2 v2 2 9 7 18 2 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l2 v3 2 10 7 18 2 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l2 v4 2 11 7 18 2 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l3 v1 2 8 8 18 3 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l3 v2 2 9 8 18 3 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l3 v3 2 10 8 18 3 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l3 v4 2 11 8 18 3 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l4 v1 2 8 9 18 4 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l4 v2 2 9 9 18 4 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l4 v3 2 10 9 18 4 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l4 v4 2 11 9 18 4 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l5 v1 2 8 10 18 5 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l5 v2 2 9 10 18 5 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l5 v3 2 10 10 18 5 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l5 v4 2 11 10 18 5 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l6 v1 2 8 11 18 6 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l6 v2 2 9 11 18 6 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l6 v3 2 10 11 18 6 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l6 v4 2 11 11 18 6 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l7 v1 2 8 12 18 7 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l7 v2 2 9 12 18 7 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l7 v3 2 10 12 18 7 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l7 v4 2 11 12 18 7 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l8 v1 2 8 13 18 8 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l8 v2 2 9 13 18 8 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l8 v3 2 10 13 18 8 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l8 v4 2 11 13 18 8 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m3 l9 v1 2 8 14 18 9 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m3 l9 v2 2 9 14 18 9 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m3 l9 v3 2 10 14 18 9 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m3 l9 v4 2 11 14 18 9 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l1 v1 2 8 5 19 0 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l1 v2 2 9 5 19 0 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l1 v3 2 10 5 19 0 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l1 v4 2 11 5 19 0 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l10 v1 2 8 6 19 1 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l10 v2 2 9 6 19 1 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l10 v3 2 10 6 19 1 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l10 v4 2 11 6 19 1 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l2 v1 2 8 7 19 2 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l2 v2 2 9 7 19 2 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l2 v3 2 10 7 19 2 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l2 v4 2 11 7 19 2 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l3 v1 2 8 8 19 3 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l3 v2 2 9 8 19 3 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l3 v3 2 10 8 19 3 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l3 v4 2 11 8 19 3 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l4 v1 2 8 9 19 4 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l4 v2 2 9 9 19 4 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l4 v3 2 10 9 19 4 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l4 v4 2 11 9 19 4 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l5 v1 2 8 10 19 5 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l5 v2 2 9 10 19 5 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l5 v3 2 10 10 19 5 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l5 v4 2 11 10 19 5 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l6 v1 2 8 11 19 6 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l6 v2 2 9 11 19 6 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l6 v3 2 10 11 19 6 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l6 v4 2 11 11 19 6 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l7 v1 2 8 12 19 7 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l7 v2 2 9 12 19 7 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l7 v3 2 10 12 19 7 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l7 v4 2 11 12 19 7 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l8 v1 2 8 13 19 8 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l8 v2 2 9 13 19 8 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l8 v3 2 10 13 19 8 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l8 v4 2 11 13 19 8 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m4 l9 v1 2 8 14 19 9 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m4 l9 v2 2 9 14 19 9 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m4 l9 v3 2 10 14 19 9 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m4 l9 v4 2 11 14 19 9 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l1 v1 2 8 5 20 0 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l1 v2 2 9 5 20 0 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l1 v3 2 10 5 20 0 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l1 v4 2 11 5 20 0 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l10 v1 2 8 6 20 1 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l10 v2 2 9 6 20 1 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l10 v3 2 10 6 20 1 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l10 v4 2 11 6 20 1 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l2 v1 2 8 7 20 2 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l2 v2 2 9 7 20 2 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l2 v3 2 10 7 20 2 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l2 v4 2 11 7 20 2 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l3 v1 2 8 8 20 3 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l3 v2 2 9 8 20 3 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l3 v3 2 10 8 20 3 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l3 v4 2 11 8 20 3 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l4 v1 2 8 9 20 4 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l4 v2 2 9 9 20 4 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l4 v3 2 10 9 20 4 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l4 v4 2 11 9 20 4 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l5 v1 2 8 10 20 5 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l5 v2 2 9 10 20 5 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l5 v3 2 10 10 20 5 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l5 v4 2 11 10 20 5 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l6 v1 2 8 11 20 6 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l6 v2 2 9 11 20 6 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l6 v3 2 10 11 20 6 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l6 v4 2 11 11 20 6 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l7 v1 2 8 12 20 7 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l7 v2 2 9 12 20 7 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l7 v3 2 10 12 20 7 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l7 v4 2 11 12 20 7 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l8 v1 2 8 13 20 8 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l8 v2 2 9 13 20 8 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l8 v3 2 10 13 20 8 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l8 v4 2 11 13 20 8 1 0 0 1 28 0 end_operator begin_operator sensehealthymedical m5 l9 v1 2 8 14 20 9 1 0 0 1 21 0 end_operator begin_operator sensehealthymedical m5 l9 v2 2 9 14 20 9 1 0 0 1 23 0 end_operator begin_operator sensehealthymedical m5 l9 v3 2 10 14 20 9 1 0 0 1 26 0 end_operator begin_operator sensehealthymedical m5 l9 v4 2 11 14 20 9 1 0 0 1 28 0 end_operator begin_operator sensehurtfire f1 l1 v1 2 4 0 8 5 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l1 v2 2 4 0 9 5 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l10 v1 2 4 1 8 6 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l10 v2 2 4 1 9 6 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l2 v1 2 4 2 8 7 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l2 v2 2 4 2 9 7 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l3 v1 2 4 3 8 8 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l3 v2 2 4 3 9 8 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l4 v1 2 4 4 8 9 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l4 v2 2 4 4 9 9 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l5 v1 2 4 5 8 10 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l5 v2 2 4 5 9 10 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l6 v1 2 4 6 8 11 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l6 v2 2 4 6 9 11 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l7 v1 2 4 7 8 12 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l7 v2 2 4 7 9 12 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l8 v1 2 4 8 8 13 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l8 v2 2 4 8 9 13 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f1 l9 v1 2 4 9 8 14 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f1 l9 v2 2 4 9 9 14 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l1 v1 2 5 0 8 5 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l1 v2 2 5 0 9 5 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l10 v1 2 5 1 8 6 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l10 v2 2 5 1 9 6 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l2 v1 2 5 2 8 7 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l2 v2 2 5 2 9 7 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l3 v1 2 5 3 8 8 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l3 v2 2 5 3 9 8 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l4 v1 2 5 4 8 9 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l4 v2 2 5 4 9 9 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l5 v1 2 5 5 8 10 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l5 v2 2 5 5 9 10 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l6 v1 2 5 6 8 11 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l6 v2 2 5 6 9 11 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l7 v1 2 5 7 8 12 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l7 v2 2 5 7 9 12 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l8 v1 2 5 8 8 13 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l8 v2 2 5 8 9 13 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f2 l9 v1 2 5 9 8 14 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f2 l9 v2 2 5 9 9 14 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l1 v1 2 6 0 8 5 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l1 v2 2 6 0 9 5 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l10 v1 2 6 1 8 6 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l10 v2 2 6 1 9 6 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l2 v1 2 6 2 8 7 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l2 v2 2 6 2 9 7 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l3 v1 2 6 3 8 8 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l3 v2 2 6 3 9 8 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l4 v1 2 6 4 8 9 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l4 v2 2 6 4 9 9 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l5 v1 2 6 5 8 10 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l5 v2 2 6 5 9 10 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l6 v1 2 6 6 8 11 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l6 v2 2 6 6 9 11 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l7 v1 2 6 7 8 12 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l7 v2 2 6 7 9 12 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l8 v1 2 6 8 8 13 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l8 v2 2 6 8 9 13 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f3 l9 v1 2 6 9 8 14 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f3 l9 v2 2 6 9 9 14 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l1 v1 2 7 0 8 5 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l1 v2 2 7 0 9 5 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l10 v1 2 7 1 8 6 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l10 v2 2 7 1 9 6 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l2 v1 2 7 2 8 7 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l2 v2 2 7 2 9 7 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l3 v1 2 7 3 8 8 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l3 v2 2 7 3 9 8 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l4 v1 2 7 4 8 9 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l4 v2 2 7 4 9 9 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l5 v1 2 7 5 8 10 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l5 v2 2 7 5 9 10 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l6 v1 2 7 6 8 11 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l6 v2 2 7 6 9 11 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l7 v1 2 7 7 8 12 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l7 v2 2 7 7 9 12 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l8 v1 2 7 8 8 13 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l8 v2 2 7 8 9 13 1 0 0 1 24 0 end_operator begin_operator sensehurtfire f4 l9 v1 2 7 9 8 14 1 0 0 1 22 0 end_operator begin_operator sensehurtfire f4 l9 v2 2 7 9 9 14 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l1 v1 2 8 5 16 0 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l1 v2 2 9 5 16 0 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l10 v1 2 8 6 16 1 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l10 v2 2 9 6 16 1 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l2 v1 2 8 7 16 2 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l2 v2 2 9 7 16 2 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l3 v1 2 8 8 16 3 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l3 v2 2 9 8 16 3 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l4 v1 2 8 9 16 4 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l4 v2 2 9 9 16 4 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l5 v1 2 8 10 16 5 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l5 v2 2 9 10 16 5 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l6 v1 2 8 11 16 6 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l6 v2 2 9 11 16 6 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l7 v1 2 8 12 16 7 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l7 v2 2 9 12 16 7 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l8 v1 2 8 13 16 8 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l8 v2 2 9 13 16 8 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m1 l9 v1 2 8 14 16 9 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m1 l9 v2 2 9 14 16 9 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l1 v1 2 8 5 17 0 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l1 v2 2 9 5 17 0 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l10 v1 2 8 6 17 1 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l10 v2 2 9 6 17 1 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l2 v1 2 8 7 17 2 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l2 v2 2 9 7 17 2 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l3 v1 2 8 8 17 3 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l3 v2 2 9 8 17 3 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l4 v1 2 8 9 17 4 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l4 v2 2 9 9 17 4 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l5 v1 2 8 10 17 5 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l5 v2 2 9 10 17 5 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l6 v1 2 8 11 17 6 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l6 v2 2 9 11 17 6 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l7 v1 2 8 12 17 7 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l7 v2 2 9 12 17 7 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l8 v1 2 8 13 17 8 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l8 v2 2 9 13 17 8 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m2 l9 v1 2 8 14 17 9 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m2 l9 v2 2 9 14 17 9 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l1 v1 2 8 5 18 0 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l1 v2 2 9 5 18 0 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l10 v1 2 8 6 18 1 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l10 v2 2 9 6 18 1 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l2 v1 2 8 7 18 2 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l2 v2 2 9 7 18 2 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l3 v1 2 8 8 18 3 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l3 v2 2 9 8 18 3 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l4 v1 2 8 9 18 4 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l4 v2 2 9 9 18 4 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l5 v1 2 8 10 18 5 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l5 v2 2 9 10 18 5 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l6 v1 2 8 11 18 6 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l6 v2 2 9 11 18 6 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l7 v1 2 8 12 18 7 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l7 v2 2 9 12 18 7 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l8 v1 2 8 13 18 8 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l8 v2 2 9 13 18 8 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m3 l9 v1 2 8 14 18 9 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m3 l9 v2 2 9 14 18 9 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l1 v1 2 8 5 19 0 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l1 v2 2 9 5 19 0 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l10 v1 2 8 6 19 1 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l10 v2 2 9 6 19 1 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l2 v1 2 8 7 19 2 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l2 v2 2 9 7 19 2 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l3 v1 2 8 8 19 3 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l3 v2 2 9 8 19 3 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l4 v1 2 8 9 19 4 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l4 v2 2 9 9 19 4 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l5 v1 2 8 10 19 5 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l5 v2 2 9 10 19 5 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l6 v1 2 8 11 19 6 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l6 v2 2 9 11 19 6 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l7 v1 2 8 12 19 7 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l7 v2 2 9 12 19 7 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l8 v1 2 8 13 19 8 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l8 v2 2 9 13 19 8 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m4 l9 v1 2 8 14 19 9 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m4 l9 v2 2 9 14 19 9 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l1 v1 2 8 5 20 0 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l1 v2 2 9 5 20 0 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l10 v1 2 8 6 20 1 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l10 v2 2 9 6 20 1 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l2 v1 2 8 7 20 2 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l2 v2 2 9 7 20 2 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l3 v1 2 8 8 20 3 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l3 v2 2 9 8 20 3 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l4 v1 2 8 9 20 4 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l4 v2 2 9 9 20 4 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l5 v1 2 8 10 20 5 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l5 v2 2 9 10 20 5 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l6 v1 2 8 11 20 6 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l6 v2 2 9 11 20 6 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l7 v1 2 8 12 20 7 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l7 v2 2 9 12 20 7 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l8 v1 2 8 13 20 8 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l8 v2 2 9 13 20 8 1 0 0 1 24 0 end_operator begin_operator sensehurtmedical m5 l9 v1 2 8 14 20 9 1 0 0 1 22 0 end_operator begin_operator sensehurtmedical m5 l9 v2 2 9 14 20 9 1 0 0 1 24 0 end_operator begin_operator treat-victim-at-hospital v1 l1 1 8 5 1 2 0 21 -1 0 0 22 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v1 l2 1 8 7 1 2 0 21 -1 0 0 22 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v1 l3 1 8 8 1 2 0 21 -1 0 0 22 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v2 l1 1 9 5 1 2 0 23 -1 0 0 24 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v2 l2 1 9 7 1 2 0 23 -1 0 0 24 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v2 l3 1 9 8 1 2 0 23 -1 0 0 24 -1 1 0 0 end_operator begin_operator treat-victim-at-hospital v3 l1 1 10 5 1 2 0 25 -1 1 0 26 -1 0 0 0 end_operator begin_operator treat-victim-at-hospital v3 l2 1 10 7 1 2 0 25 -1 1 0 26 -1 0 0 0 end_operator begin_operator treat-victim-at-hospital v3 l3 1 10 8 1 2 0 25 -1 1 0 26 -1 0 0 0 end_operator begin_operator treat-victim-at-hospital v4 l1 1 11 5 1 2 0 27 -1 1 0 28 -1 0 0 0 end_operator begin_operator treat-victim-at-hospital v4 l2 1 11 7 1 2 0 27 -1 1 0 28 -1 0 0 0 end_operator begin_operator treat-victim-at-hospital v4 l3 1 11 8 1 2 0 27 -1 1 0 28 -1 0 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l1 v1 3 4 0 8 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l1 v2 3 4 0 9 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l10 v1 3 4 1 8 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l10 v2 3 4 1 9 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l2 v1 3 4 2 8 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l2 v2 3 4 2 9 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l3 v1 3 4 3 8 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l3 v2 3 4 3 9 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l4 v1 3 4 4 8 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l4 v2 3 4 4 9 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l5 v1 3 4 5 8 10 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l5 v2 3 4 5 9 10 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l6 v1 3 4 6 8 11 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l6 v2 3 4 6 9 11 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l7 v1 3 4 7 8 12 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l7 v2 3 4 7 9 12 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l8 v1 3 4 8 8 13 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l8 v2 3 4 8 9 13 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l9 v1 3 4 9 8 14 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f1 l9 v2 3 4 9 9 14 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l1 v1 3 5 0 8 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l1 v2 3 5 0 9 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l10 v1 3 5 1 8 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l10 v2 3 5 1 9 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l2 v1 3 5 2 8 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l2 v2 3 5 2 9 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l3 v1 3 5 3 8 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l3 v2 3 5 3 9 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l4 v1 3 5 4 8 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l4 v2 3 5 4 9 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l5 v1 3 5 5 8 10 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l5 v2 3 5 5 9 10 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l6 v1 3 5 6 8 11 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l6 v2 3 5 6 9 11 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l7 v1 3 5 7 8 12 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l7 v2 3 5 7 9 12 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l8 v1 3 5 8 8 13 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l8 v2 3 5 8 9 13 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l9 v1 3 5 9 8 14 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f2 l9 v2 3 5 9 9 14 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l1 v1 3 6 0 8 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l1 v2 3 6 0 9 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l10 v1 3 6 1 8 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l10 v2 3 6 1 9 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l2 v1 3 6 2 8 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l2 v2 3 6 2 9 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l3 v1 3 6 3 8 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l3 v2 3 6 3 9 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l4 v1 3 6 4 8 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l4 v2 3 6 4 9 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l5 v1 3 6 5 8 10 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l5 v2 3 6 5 9 10 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l6 v1 3 6 6 8 11 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l6 v2 3 6 6 9 11 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l7 v1 3 6 7 8 12 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l7 v2 3 6 7 9 12 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l8 v1 3 6 8 8 13 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l8 v2 3 6 8 9 13 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l9 v1 3 6 9 8 14 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f3 l9 v2 3 6 9 9 14 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l1 v1 3 7 0 8 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l1 v2 3 7 0 9 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l10 v1 3 7 1 8 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l10 v2 3 7 1 9 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l2 v1 3 7 2 8 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l2 v2 3 7 2 9 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l3 v1 3 7 3 8 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l3 v2 3 7 3 9 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l4 v1 3 7 4 8 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l4 v2 3 7 4 9 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l5 v1 3 7 5 8 10 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l5 v2 3 7 5 9 10 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l6 v1 3 7 6 8 11 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l6 v2 3 7 6 9 11 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l7 v1 3 7 7 8 12 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l7 v2 3 7 7 9 12 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l8 v1 3 7 8 8 13 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l8 v2 3 7 8 9 13 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l9 v1 3 7 9 8 14 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-fire f4 l9 v2 3 7 9 9 14 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l1 v1 3 8 5 16 0 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l1 v2 3 9 5 16 0 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l10 v1 3 8 6 16 1 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l10 v2 3 9 6 16 1 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l2 v1 3 8 7 16 2 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l2 v2 3 9 7 16 2 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l3 v1 3 8 8 16 3 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l3 v2 3 9 8 16 3 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l4 v1 3 8 9 16 4 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l4 v2 3 9 9 16 4 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l5 v1 3 8 10 16 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l5 v2 3 9 10 16 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l6 v1 3 8 11 16 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l6 v2 3 9 11 16 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l7 v1 3 8 12 16 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l7 v2 3 9 12 16 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l8 v1 3 8 13 16 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l8 v2 3 9 13 16 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l9 v1 3 8 14 16 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m1 l9 v2 3 9 14 16 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l1 v1 3 8 5 17 0 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l1 v2 3 9 5 17 0 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l10 v1 3 8 6 17 1 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l10 v2 3 9 6 17 1 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l2 v1 3 8 7 17 2 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l2 v2 3 9 7 17 2 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l3 v1 3 8 8 17 3 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l3 v2 3 9 8 17 3 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l4 v1 3 8 9 17 4 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l4 v2 3 9 9 17 4 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l5 v1 3 8 10 17 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l5 v2 3 9 10 17 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l6 v1 3 8 11 17 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l6 v2 3 9 11 17 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l7 v1 3 8 12 17 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l7 v2 3 9 12 17 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l8 v1 3 8 13 17 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l8 v2 3 9 13 17 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l9 v1 3 8 14 17 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m2 l9 v2 3 9 14 17 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l1 v1 3 8 5 18 0 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l1 v2 3 9 5 18 0 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l10 v1 3 8 6 18 1 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l10 v2 3 9 6 18 1 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l2 v1 3 8 7 18 2 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l2 v2 3 9 7 18 2 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l3 v1 3 8 8 18 3 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l3 v2 3 9 8 18 3 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l4 v1 3 8 9 18 4 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l4 v2 3 9 9 18 4 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l5 v1 3 8 10 18 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l5 v2 3 9 10 18 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l6 v1 3 8 11 18 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l6 v2 3 9 11 18 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l7 v1 3 8 12 18 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l7 v2 3 9 12 18 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l8 v1 3 8 13 18 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l8 v2 3 9 13 18 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l9 v1 3 8 14 18 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m3 l9 v2 3 9 14 18 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l1 v1 3 8 5 19 0 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l1 v2 3 9 5 19 0 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l10 v1 3 8 6 19 1 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l10 v2 3 9 6 19 1 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l2 v1 3 8 7 19 2 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l2 v2 3 9 7 19 2 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l3 v1 3 8 8 19 3 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l3 v2 3 9 8 19 3 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l4 v1 3 8 9 19 4 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l4 v2 3 9 9 19 4 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l5 v1 3 8 10 19 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l5 v2 3 9 10 19 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l6 v1 3 8 11 19 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l6 v2 3 9 11 19 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l7 v1 3 8 12 19 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l7 v2 3 9 12 19 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l8 v1 3 8 13 19 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l8 v2 3 9 13 19 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l9 v1 3 8 14 19 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m4 l9 v2 3 9 14 19 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l1 v1 3 8 5 20 0 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l1 v2 3 9 5 20 0 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l10 v1 3 8 6 20 1 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l10 v2 3 9 6 20 1 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l2 v1 3 8 7 20 2 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l2 v2 3 9 7 20 2 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l3 v1 3 8 8 20 3 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l3 v2 3 9 8 20 3 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l4 v1 3 8 9 20 4 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l4 v2 3 9 9 20 4 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l5 v1 3 8 10 20 5 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l5 v2 3 9 10 20 5 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l6 v1 3 8 11 20 6 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l6 v2 3 9 11 20 6 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l7 v1 3 8 12 20 7 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l7 v2 3 9 12 20 7 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l8 v1 3 8 13 20 8 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l8 v2 3 9 13 20 8 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l9 v1 3 8 14 20 9 22 0 2 0 2 0 21 -1 0 0 22 0 1 0 0 end_operator begin_operator treat-victim-on-scene-medical m5 l9 v2 3 9 14 20 9 24 0 2 0 2 0 23 -1 0 0 24 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l1 l10 2 0 0 4 0 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l1 l3 2 1 0 4 0 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l1 l7 2 3 0 4 0 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l10 l10 2 0 0 4 1 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l10 l3 2 1 0 4 1 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l10 l6 2 2 0 4 1 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l10 l7 2 3 0 4 1 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l2 l10 2 0 0 4 2 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l2 l7 2 3 0 4 2 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l3 l10 2 0 0 4 3 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l3 l3 2 1 0 4 3 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l3 l7 2 3 0 4 3 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l4 l10 2 0 0 4 4 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l4 l3 2 1 0 4 4 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l4 l6 2 2 0 4 4 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l4 l7 2 3 0 4 4 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l5 l10 2 0 0 4 5 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l5 l3 2 1 0 4 5 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l5 l6 2 2 0 4 5 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l5 l7 2 3 0 4 5 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l6 l10 2 0 0 4 6 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l6 l6 2 2 0 4 6 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l6 l7 2 3 0 4 6 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l7 l10 2 0 0 4 7 2 2 0 0 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l7 l3 2 1 0 4 7 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l7 l6 2 2 0 4 7 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l7 l7 2 3 0 4 7 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l8 l3 2 1 0 4 8 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l8 l6 2 2 0 4 8 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l8 l7 2 3 0 4 8 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l9 l3 2 1 0 4 9 2 2 0 1 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l9 l6 2 2 0 4 9 2 2 0 2 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f1 l9 l7 2 3 0 4 9 2 2 0 3 0 1 0 12 0 1 1 0 12 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l1 l10 2 0 0 5 0 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l1 l3 2 1 0 5 0 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l1 l7 2 3 0 5 0 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l10 l10 2 0 0 5 1 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l10 l3 2 1 0 5 1 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l10 l6 2 2 0 5 1 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l10 l7 2 3 0 5 1 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l2 l10 2 0 0 5 2 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l2 l7 2 3 0 5 2 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l3 l10 2 0 0 5 3 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l3 l3 2 1 0 5 3 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l3 l7 2 3 0 5 3 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l4 l10 2 0 0 5 4 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l4 l3 2 1 0 5 4 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l4 l6 2 2 0 5 4 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l4 l7 2 3 0 5 4 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l5 l10 2 0 0 5 5 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l5 l3 2 1 0 5 5 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l5 l6 2 2 0 5 5 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l5 l7 2 3 0 5 5 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l6 l10 2 0 0 5 6 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l6 l6 2 2 0 5 6 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l6 l7 2 3 0 5 6 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l7 l10 2 0 0 5 7 2 2 0 0 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l7 l3 2 1 0 5 7 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l7 l6 2 2 0 5 7 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l7 l7 2 3 0 5 7 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l8 l3 2 1 0 5 8 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l8 l6 2 2 0 5 8 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l8 l7 2 3 0 5 8 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l9 l3 2 1 0 5 9 2 2 0 1 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l9 l6 2 2 0 5 9 2 2 0 2 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f2 l9 l7 2 3 0 5 9 2 2 0 3 0 1 0 13 0 1 1 0 13 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l1 l10 2 0 0 6 0 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l1 l3 2 1 0 6 0 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l1 l7 2 3 0 6 0 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l10 l10 2 0 0 6 1 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l10 l3 2 1 0 6 1 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l10 l6 2 2 0 6 1 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l10 l7 2 3 0 6 1 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l2 l10 2 0 0 6 2 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l2 l7 2 3 0 6 2 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l3 l10 2 0 0 6 3 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l3 l3 2 1 0 6 3 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l3 l7 2 3 0 6 3 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l4 l10 2 0 0 6 4 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l4 l3 2 1 0 6 4 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l4 l6 2 2 0 6 4 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l4 l7 2 3 0 6 4 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l5 l10 2 0 0 6 5 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l5 l3 2 1 0 6 5 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l5 l6 2 2 0 6 5 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l5 l7 2 3 0 6 5 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l6 l10 2 0 0 6 6 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l6 l6 2 2 0 6 6 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l6 l7 2 3 0 6 6 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l7 l10 2 0 0 6 7 2 2 0 0 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l7 l3 2 1 0 6 7 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l7 l6 2 2 0 6 7 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l7 l7 2 3 0 6 7 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l8 l3 2 1 0 6 8 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l8 l6 2 2 0 6 8 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l8 l7 2 3 0 6 8 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l9 l3 2 1 0 6 9 2 2 0 1 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l9 l6 2 2 0 6 9 2 2 0 2 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f3 l9 l7 2 3 0 6 9 2 2 0 3 0 1 0 14 0 1 1 0 14 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l1 l10 2 0 0 7 0 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l1 l3 2 1 0 7 0 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l1 l7 2 3 0 7 0 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l10 l10 2 0 0 7 1 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l10 l3 2 1 0 7 1 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l10 l6 2 2 0 7 1 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l10 l7 2 3 0 7 1 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l2 l10 2 0 0 7 2 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l2 l7 2 3 0 7 2 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l3 l10 2 0 0 7 3 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l3 l3 2 1 0 7 3 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l3 l7 2 3 0 7 3 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l4 l10 2 0 0 7 4 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l4 l3 2 1 0 7 4 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l4 l6 2 2 0 7 4 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l4 l7 2 3 0 7 4 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l5 l10 2 0 0 7 5 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l5 l3 2 1 0 7 5 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l5 l6 2 2 0 7 5 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l5 l7 2 3 0 7 5 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l6 l10 2 0 0 7 6 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l6 l6 2 2 0 7 6 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l6 l7 2 3 0 7 6 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l7 l10 2 0 0 7 7 2 2 0 0 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l7 l3 2 1 0 7 7 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l7 l6 2 2 0 7 7 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l7 l7 2 3 0 7 7 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l8 l3 2 1 0 7 8 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l8 l6 2 2 0 7 8 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l8 l7 2 3 0 7 8 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l9 l3 2 1 0 7 9 2 2 0 1 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l9 l6 2 2 0 7 9 2 2 0 2 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-fire-unit f4 l9 l7 2 3 0 7 9 2 2 0 3 0 1 0 15 0 1 1 0 15 0 1 0 0 end_operator begin_operator unload-medical-unit m1 l1 v1 1 16 0 1 1 0 8 0 5 0 0 end_operator begin_operator unload-medical-unit m1 l1 v2 1 16 0 1 1 0 9 0 5 0 0 end_operator begin_operator unload-medical-unit m1 l1 v3 1 16 0 1 1 0 10 0 5 0 0 end_operator begin_operator unload-medical-unit m1 l1 v4 1 16 0 1 1 0 11 0 5 0 0 end_operator begin_operator unload-medical-unit m1 l10 v1 1 16 1 1 1 0 8 0 6 0 0 end_operator begin_operator unload-medical-unit m1 l10 v2 1 16 1 1 1 0 9 0 6 0 0 end_operator begin_operator unload-medical-unit m1 l10 v3 1 16 1 1 1 0 10 0 6 0 0 end_operator begin_operator unload-medical-unit m1 l10 v4 1 16 1 1 1 0 11 0 6 0 0 end_operator begin_operator unload-medical-unit m1 l2 v1 1 16 2 1 1 0 8 0 7 0 0 end_operator begin_operator unload-medical-unit m1 l2 v2 1 16 2 1 1 0 9 0 7 0 0 end_operator begin_operator unload-medical-unit m1 l2 v3 1 16 2 1 1 0 10 0 7 0 0 end_operator begin_operator unload-medical-unit m1 l2 v4 1 16 2 1 1 0 11 0 7 0 0 end_operator begin_operator unload-medical-unit m1 l3 v1 1 16 3 1 1 0 8 0 8 0 0 end_operator begin_operator unload-medical-unit m1 l3 v2 1 16 3 1 1 0 9 0 8 0 0 end_operator begin_operator unload-medical-unit m1 l3 v3 1 16 3 1 1 0 10 0 8 0 0 end_operator begin_operator unload-medical-unit m1 l3 v4 1 16 3 1 1 0 11 0 8 0 0 end_operator begin_operator unload-medical-unit m1 l4 v1 1 16 4 1 1 0 8 0 9 0 0 end_operator begin_operator unload-medical-unit m1 l4 v2 1 16 4 1 1 0 9 0 9 0 0 end_operator begin_operator unload-medical-unit m1 l4 v3 1 16 4 1 1 0 10 0 9 0 0 end_operator begin_operator unload-medical-unit m1 l4 v4 1 16 4 1 1 0 11 0 9 0 0 end_operator begin_operator unload-medical-unit m1 l5 v1 1 16 5 1 1 0 8 0 10 0 0 end_operator begin_operator unload-medical-unit m1 l5 v2 1 16 5 1 1 0 9 0 10 0 0 end_operator begin_operator unload-medical-unit m1 l5 v3 1 16 5 1 1 0 10 0 10 0 0 end_operator begin_operator unload-medical-unit m1 l5 v4 1 16 5 1 1 0 11 0 10 0 0 end_operator begin_operator unload-medical-unit m1 l6 v1 1 16 6 1 1 0 8 0 11 0 0 end_operator begin_operator unload-medical-unit m1 l6 v2 1 16 6 1 1 0 9 0 11 0 0 end_operator begin_operator unload-medical-unit m1 l6 v3 1 16 6 1 1 0 10 0 11 0 0 end_operator begin_operator unload-medical-unit m1 l6 v4 1 16 6 1 1 0 11 0 11 0 0 end_operator begin_operator unload-medical-unit m1 l7 v1 1 16 7 1 1 0 8 0 12 0 0 end_operator begin_operator unload-medical-unit m1 l7 v2 1 16 7 1 1 0 9 0 12 0 0 end_operator begin_operator unload-medical-unit m1 l7 v3 1 16 7 1 1 0 10 0 12 0 0 end_operator begin_operator unload-medical-unit m1 l7 v4 1 16 7 1 1 0 11 0 12 0 0 end_operator begin_operator unload-medical-unit m1 l8 v1 1 16 8 1 1 0 8 0 13 0 0 end_operator begin_operator unload-medical-unit m1 l8 v2 1 16 8 1 1 0 9 0 13 0 0 end_operator begin_operator unload-medical-unit m1 l8 v3 1 16 8 1 1 0 10 0 13 0 0 end_operator begin_operator unload-medical-unit m1 l8 v4 1 16 8 1 1 0 11 0 13 0 0 end_operator begin_operator unload-medical-unit m1 l9 v1 1 16 9 1 1 0 8 0 14 0 0 end_operator begin_operator unload-medical-unit m1 l9 v2 1 16 9 1 1 0 9 0 14 0 0 end_operator begin_operator unload-medical-unit m1 l9 v3 1 16 9 1 1 0 10 0 14 0 0 end_operator begin_operator unload-medical-unit m1 l9 v4 1 16 9 1 1 0 11 0 14 0 0 end_operator begin_operator unload-medical-unit m2 l1 v1 1 17 0 1 1 0 8 1 5 0 0 end_operator begin_operator unload-medical-unit m2 l1 v2 1 17 0 1 1 0 9 1 5 0 0 end_operator begin_operator unload-medical-unit m2 l1 v3 1 17 0 1 1 0 10 1 5 0 0 end_operator begin_operator unload-medical-unit m2 l1 v4 1 17 0 1 1 0 11 1 5 0 0 end_operator begin_operator unload-medical-unit m2 l10 v1 1 17 1 1 1 0 8 1 6 0 0 end_operator begin_operator unload-medical-unit m2 l10 v2 1 17 1 1 1 0 9 1 6 0 0 end_operator begin_operator unload-medical-unit m2 l10 v3 1 17 1 1 1 0 10 1 6 0 0 end_operator begin_operator unload-medical-unit m2 l10 v4 1 17 1 1 1 0 11 1 6 0 0 end_operator begin_operator unload-medical-unit m2 l2 v1 1 17 2 1 1 0 8 1 7 0 0 end_operator begin_operator unload-medical-unit m2 l2 v2 1 17 2 1 1 0 9 1 7 0 0 end_operator begin_operator unload-medical-unit m2 l2 v3 1 17 2 1 1 0 10 1 7 0 0 end_operator begin_operator unload-medical-unit m2 l2 v4 1 17 2 1 1 0 11 1 7 0 0 end_operator begin_operator unload-medical-unit m2 l3 v1 1 17 3 1 1 0 8 1 8 0 0 end_operator begin_operator unload-medical-unit m2 l3 v2 1 17 3 1 1 0 9 1 8 0 0 end_operator begin_operator unload-medical-unit m2 l3 v3 1 17 3 1 1 0 10 1 8 0 0 end_operator begin_operator unload-medical-unit m2 l3 v4 1 17 3 1 1 0 11 1 8 0 0 end_operator begin_operator unload-medical-unit m2 l4 v1 1 17 4 1 1 0 8 1 9 0 0 end_operator begin_operator unload-medical-unit m2 l4 v2 1 17 4 1 1 0 9 1 9 0 0 end_operator begin_operator unload-medical-unit m2 l4 v3 1 17 4 1 1 0 10 1 9 0 0 end_operator begin_operator unload-medical-unit m2 l4 v4 1 17 4 1 1 0 11 1 9 0 0 end_operator begin_operator unload-medical-unit m2 l5 v1 1 17 5 1 1 0 8 1 10 0 0 end_operator begin_operator unload-medical-unit m2 l5 v2 1 17 5 1 1 0 9 1 10 0 0 end_operator begin_operator unload-medical-unit m2 l5 v3 1 17 5 1 1 0 10 1 10 0 0 end_operator begin_operator unload-medical-unit m2 l5 v4 1 17 5 1 1 0 11 1 10 0 0 end_operator begin_operator unload-medical-unit m2 l6 v1 1 17 6 1 1 0 8 1 11 0 0 end_operator begin_operator unload-medical-unit m2 l6 v2 1 17 6 1 1 0 9 1 11 0 0 end_operator begin_operator unload-medical-unit m2 l6 v3 1 17 6 1 1 0 10 1 11 0 0 end_operator begin_operator unload-medical-unit m2 l6 v4 1 17 6 1 1 0 11 1 11 0 0 end_operator begin_operator unload-medical-unit m2 l7 v1 1 17 7 1 1 0 8 1 12 0 0 end_operator begin_operator unload-medical-unit m2 l7 v2 1 17 7 1 1 0 9 1 12 0 0 end_operator begin_operator unload-medical-unit m2 l7 v3 1 17 7 1 1 0 10 1 12 0 0 end_operator begin_operator unload-medical-unit m2 l7 v4 1 17 7 1 1 0 11 1 12 0 0 end_operator begin_operator unload-medical-unit m2 l8 v1 1 17 8 1 1 0 8 1 13 0 0 end_operator begin_operator unload-medical-unit m2 l8 v2 1 17 8 1 1 0 9 1 13 0 0 end_operator begin_operator unload-medical-unit m2 l8 v3 1 17 8 1 1 0 10 1 13 0 0 end_operator begin_operator unload-medical-unit m2 l8 v4 1 17 8 1 1 0 11 1 13 0 0 end_operator begin_operator unload-medical-unit m2 l9 v1 1 17 9 1 1 0 8 1 14 0 0 end_operator begin_operator unload-medical-unit m2 l9 v2 1 17 9 1 1 0 9 1 14 0 0 end_operator begin_operator unload-medical-unit m2 l9 v3 1 17 9 1 1 0 10 1 14 0 0 end_operator begin_operator unload-medical-unit m2 l9 v4 1 17 9 1 1 0 11 1 14 0 0 end_operator begin_operator unload-medical-unit m3 l1 v1 1 18 0 1 1 0 8 2 5 0 0 end_operator begin_operator unload-medical-unit m3 l1 v2 1 18 0 1 1 0 9 2 5 0 0 end_operator begin_operator unload-medical-unit m3 l1 v3 1 18 0 1 1 0 10 2 5 0 0 end_operator begin_operator unload-medical-unit m3 l1 v4 1 18 0 1 1 0 11 2 5 0 0 end_operator begin_operator unload-medical-unit m3 l10 v1 1 18 1 1 1 0 8 2 6 0 0 end_operator begin_operator unload-medical-unit m3 l10 v2 1 18 1 1 1 0 9 2 6 0 0 end_operator begin_operator unload-medical-unit m3 l10 v3 1 18 1 1 1 0 10 2 6 0 0 end_operator begin_operator unload-medical-unit m3 l10 v4 1 18 1 1 1 0 11 2 6 0 0 end_operator begin_operator unload-medical-unit m3 l2 v1 1 18 2 1 1 0 8 2 7 0 0 end_operator begin_operator unload-medical-unit m3 l2 v2 1 18 2 1 1 0 9 2 7 0 0 end_operator begin_operator unload-medical-unit m3 l2 v3 1 18 2 1 1 0 10 2 7 0 0 end_operator begin_operator unload-medical-unit m3 l2 v4 1 18 2 1 1 0 11 2 7 0 0 end_operator begin_operator unload-medical-unit m3 l3 v1 1 18 3 1 1 0 8 2 8 0 0 end_operator begin_operator unload-medical-unit m3 l3 v2 1 18 3 1 1 0 9 2 8 0 0 end_operator begin_operator unload-medical-unit m3 l3 v3 1 18 3 1 1 0 10 2 8 0 0 end_operator begin_operator unload-medical-unit m3 l3 v4 1 18 3 1 1 0 11 2 8 0 0 end_operator begin_operator unload-medical-unit m3 l4 v1 1 18 4 1 1 0 8 2 9 0 0 end_operator begin_operator unload-medical-unit m3 l4 v2 1 18 4 1 1 0 9 2 9 0 0 end_operator begin_operator unload-medical-unit m3 l4 v3 1 18 4 1 1 0 10 2 9 0 0 end_operator begin_operator unload-medical-unit m3 l4 v4 1 18 4 1 1 0 11 2 9 0 0 end_operator begin_operator unload-medical-unit m3 l5 v1 1 18 5 1 1 0 8 2 10 0 0 end_operator begin_operator unload-medical-unit m3 l5 v2 1 18 5 1 1 0 9 2 10 0 0 end_operator begin_operator unload-medical-unit m3 l5 v3 1 18 5 1 1 0 10 2 10 0 0 end_operator begin_operator unload-medical-unit m3 l5 v4 1 18 5 1 1 0 11 2 10 0 0 end_operator begin_operator unload-medical-unit m3 l6 v1 1 18 6 1 1 0 8 2 11 0 0 end_operator begin_operator unload-medical-unit m3 l6 v2 1 18 6 1 1 0 9 2 11 0 0 end_operator begin_operator unload-medical-unit m3 l6 v3 1 18 6 1 1 0 10 2 11 0 0 end_operator begin_operator unload-medical-unit m3 l6 v4 1 18 6 1 1 0 11 2 11 0 0 end_operator begin_operator unload-medical-unit m3 l7 v1 1 18 7 1 1 0 8 2 12 0 0 end_operator begin_operator unload-medical-unit m3 l7 v2 1 18 7 1 1 0 9 2 12 0 0 end_operator begin_operator unload-medical-unit m3 l7 v3 1 18 7 1 1 0 10 2 12 0 0 end_operator begin_operator unload-medical-unit m3 l7 v4 1 18 7 1 1 0 11 2 12 0 0 end_operator begin_operator unload-medical-unit m3 l8 v1 1 18 8 1 1 0 8 2 13 0 0 end_operator begin_operator unload-medical-unit m3 l8 v2 1 18 8 1 1 0 9 2 13 0 0 end_operator begin_operator unload-medical-unit m3 l8 v3 1 18 8 1 1 0 10 2 13 0 0 end_operator begin_operator unload-medical-unit m3 l8 v4 1 18 8 1 1 0 11 2 13 0 0 end_operator begin_operator unload-medical-unit m3 l9 v1 1 18 9 1 1 0 8 2 14 0 0 end_operator begin_operator unload-medical-unit m3 l9 v2 1 18 9 1 1 0 9 2 14 0 0 end_operator begin_operator unload-medical-unit m3 l9 v3 1 18 9 1 1 0 10 2 14 0 0 end_operator begin_operator unload-medical-unit m3 l9 v4 1 18 9 1 1 0 11 2 14 0 0 end_operator begin_operator unload-medical-unit m4 l1 v1 1 19 0 1 1 0 8 3 5 0 0 end_operator begin_operator unload-medical-unit m4 l1 v2 1 19 0 1 1 0 9 3 5 0 0 end_operator begin_operator unload-medical-unit m4 l1 v3 1 19 0 1 1 0 10 3 5 0 0 end_operator begin_operator unload-medical-unit m4 l1 v4 1 19 0 1 1 0 11 3 5 0 0 end_operator begin_operator unload-medical-unit m4 l10 v1 1 19 1 1 1 0 8 3 6 0 0 end_operator begin_operator unload-medical-unit m4 l10 v2 1 19 1 1 1 0 9 3 6 0 0 end_operator begin_operator unload-medical-unit m4 l10 v3 1 19 1 1 1 0 10 3 6 0 0 end_operator begin_operator unload-medical-unit m4 l10 v4 1 19 1 1 1 0 11 3 6 0 0 end_operator begin_operator unload-medical-unit m4 l2 v1 1 19 2 1 1 0 8 3 7 0 0 end_operator begin_operator unload-medical-unit m4 l2 v2 1 19 2 1 1 0 9 3 7 0 0 end_operator begin_operator unload-medical-unit m4 l2 v3 1 19 2 1 1 0 10 3 7 0 0 end_operator begin_operator unload-medical-unit m4 l2 v4 1 19 2 1 1 0 11 3 7 0 0 end_operator begin_operator unload-medical-unit m4 l3 v1 1 19 3 1 1 0 8 3 8 0 0 end_operator begin_operator unload-medical-unit m4 l3 v2 1 19 3 1 1 0 9 3 8 0 0 end_operator begin_operator unload-medical-unit m4 l3 v3 1 19 3 1 1 0 10 3 8 0 0 end_operator begin_operator unload-medical-unit m4 l3 v4 1 19 3 1 1 0 11 3 8 0 0 end_operator begin_operator unload-medical-unit m4 l4 v1 1 19 4 1 1 0 8 3 9 0 0 end_operator begin_operator unload-medical-unit m4 l4 v2 1 19 4 1 1 0 9 3 9 0 0 end_operator begin_operator unload-medical-unit m4 l4 v3 1 19 4 1 1 0 10 3 9 0 0 end_operator begin_operator unload-medical-unit m4 l4 v4 1 19 4 1 1 0 11 3 9 0 0 end_operator begin_operator unload-medical-unit m4 l5 v1 1 19 5 1 1 0 8 3 10 0 0 end_operator begin_operator unload-medical-unit m4 l5 v2 1 19 5 1 1 0 9 3 10 0 0 end_operator begin_operator unload-medical-unit m4 l5 v3 1 19 5 1 1 0 10 3 10 0 0 end_operator begin_operator unload-medical-unit m4 l5 v4 1 19 5 1 1 0 11 3 10 0 0 end_operator begin_operator unload-medical-unit m4 l6 v1 1 19 6 1 1 0 8 3 11 0 0 end_operator begin_operator unload-medical-unit m4 l6 v2 1 19 6 1 1 0 9 3 11 0 0 end_operator begin_operator unload-medical-unit m4 l6 v3 1 19 6 1 1 0 10 3 11 0 0 end_operator begin_operator unload-medical-unit m4 l6 v4 1 19 6 1 1 0 11 3 11 0 0 end_operator begin_operator unload-medical-unit m4 l7 v1 1 19 7 1 1 0 8 3 12 0 0 end_operator begin_operator unload-medical-unit m4 l7 v2 1 19 7 1 1 0 9 3 12 0 0 end_operator begin_operator unload-medical-unit m4 l7 v3 1 19 7 1 1 0 10 3 12 0 0 end_operator begin_operator unload-medical-unit m4 l7 v4 1 19 7 1 1 0 11 3 12 0 0 end_operator begin_operator unload-medical-unit m4 l8 v1 1 19 8 1 1 0 8 3 13 0 0 end_operator begin_operator unload-medical-unit m4 l8 v2 1 19 8 1 1 0 9 3 13 0 0 end_operator begin_operator unload-medical-unit m4 l8 v3 1 19 8 1 1 0 10 3 13 0 0 end_operator begin_operator unload-medical-unit m4 l8 v4 1 19 8 1 1 0 11 3 13 0 0 end_operator begin_operator unload-medical-unit m4 l9 v1 1 19 9 1 1 0 8 3 14 0 0 end_operator begin_operator unload-medical-unit m4 l9 v2 1 19 9 1 1 0 9 3 14 0 0 end_operator begin_operator unload-medical-unit m4 l9 v3 1 19 9 1 1 0 10 3 14 0 0 end_operator begin_operator unload-medical-unit m4 l9 v4 1 19 9 1 1 0 11 3 14 0 0 end_operator begin_operator unload-medical-unit m5 l1 v1 1 20 0 1 1 0 8 4 5 0 0 end_operator begin_operator unload-medical-unit m5 l1 v2 1 20 0 1 1 0 9 4 5 0 0 end_operator begin_operator unload-medical-unit m5 l1 v3 1 20 0 1 1 0 10 4 5 0 0 end_operator begin_operator unload-medical-unit m5 l1 v4 1 20 0 1 1 0 11 4 5 0 0 end_operator begin_operator unload-medical-unit m5 l10 v1 1 20 1 1 1 0 8 4 6 0 0 end_operator begin_operator unload-medical-unit m5 l10 v2 1 20 1 1 1 0 9 4 6 0 0 end_operator begin_operator unload-medical-unit m5 l10 v3 1 20 1 1 1 0 10 4 6 0 0 end_operator begin_operator unload-medical-unit m5 l10 v4 1 20 1 1 1 0 11 4 6 0 0 end_operator begin_operator unload-medical-unit m5 l2 v1 1 20 2 1 1 0 8 4 7 0 0 end_operator begin_operator unload-medical-unit m5 l2 v2 1 20 2 1 1 0 9 4 7 0 0 end_operator begin_operator unload-medical-unit m5 l2 v3 1 20 2 1 1 0 10 4 7 0 0 end_operator begin_operator unload-medical-unit m5 l2 v4 1 20 2 1 1 0 11 4 7 0 0 end_operator begin_operator unload-medical-unit m5 l3 v1 1 20 3 1 1 0 8 4 8 0 0 end_operator begin_operator unload-medical-unit m5 l3 v2 1 20 3 1 1 0 9 4 8 0 0 end_operator begin_operator unload-medical-unit m5 l3 v3 1 20 3 1 1 0 10 4 8 0 0 end_operator begin_operator unload-medical-unit m5 l3 v4 1 20 3 1 1 0 11 4 8 0 0 end_operator begin_operator unload-medical-unit m5 l4 v1 1 20 4 1 1 0 8 4 9 0 0 end_operator begin_operator unload-medical-unit m5 l4 v2 1 20 4 1 1 0 9 4 9 0 0 end_operator begin_operator unload-medical-unit m5 l4 v3 1 20 4 1 1 0 10 4 9 0 0 end_operator begin_operator unload-medical-unit m5 l4 v4 1 20 4 1 1 0 11 4 9 0 0 end_operator begin_operator unload-medical-unit m5 l5 v1 1 20 5 1 1 0 8 4 10 0 0 end_operator begin_operator unload-medical-unit m5 l5 v2 1 20 5 1 1 0 9 4 10 0 0 end_operator begin_operator unload-medical-unit m5 l5 v3 1 20 5 1 1 0 10 4 10 0 0 end_operator begin_operator unload-medical-unit m5 l5 v4 1 20 5 1 1 0 11 4 10 0 0 end_operator begin_operator unload-medical-unit m5 l6 v1 1 20 6 1 1 0 8 4 11 0 0 end_operator begin_operator unload-medical-unit m5 l6 v2 1 20 6 1 1 0 9 4 11 0 0 end_operator begin_operator unload-medical-unit m5 l6 v3 1 20 6 1 1 0 10 4 11 0 0 end_operator begin_operator unload-medical-unit m5 l6 v4 1 20 6 1 1 0 11 4 11 0 0 end_operator begin_operator unload-medical-unit m5 l7 v1 1 20 7 1 1 0 8 4 12 0 0 end_operator begin_operator unload-medical-unit m5 l7 v2 1 20 7 1 1 0 9 4 12 0 0 end_operator begin_operator unload-medical-unit m5 l7 v3 1 20 7 1 1 0 10 4 12 0 0 end_operator begin_operator unload-medical-unit m5 l7 v4 1 20 7 1 1 0 11 4 12 0 0 end_operator begin_operator unload-medical-unit m5 l8 v1 1 20 8 1 1 0 8 4 13 0 0 end_operator begin_operator unload-medical-unit m5 l8 v2 1 20 8 1 1 0 9 4 13 0 0 end_operator begin_operator unload-medical-unit m5 l8 v3 1 20 8 1 1 0 10 4 13 0 0 end_operator begin_operator unload-medical-unit m5 l8 v4 1 20 8 1 1 0 11 4 13 0 0 end_operator begin_operator unload-medical-unit m5 l9 v1 1 20 9 1 1 0 8 4 14 0 0 end_operator begin_operator unload-medical-unit m5 l9 v2 1 20 9 1 1 0 9 4 14 0 0 end_operator begin_operator unload-medical-unit m5 l9 v3 1 20 9 1 1 0 10 4 14 0 0 end_operator begin_operator unload-medical-unit m5 l9 v4 1 20 9 1 1 0 11 4 14 0 0 end_operator 0
7.748856
39
0.760932
0.87
109,889
5,840
sol
Solidity
alpaca-finance/bsc-alpaca-contract
[ "MIT" ]
124
alpaca-finance/bsc-alpaca-contract
[ "MIT" ]
23
alpaca-finance/bsc-alpaca-contract
[ "MIT" ]
69
// SPDX-License-Identifier: MIT /** ∩~~~~∩ ξ ・×・ ξ ξ ~ ξ ξ   ξ ξ   “~~~~〇 ξ       ξ ξ ξ ξ~~~ξ ξ ξ   ξ_ξξ_ξ ξ_ξξ_ξ Alpaca Fin Corporation */ pragma solidity 0.6.6; import "@openzeppelin/contracts-ethereum-package/contracts/math/SafeMath.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/access/Ownable.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/utils/ReentrancyGuard.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/math/Math.sol"; import "../../apis/mdex/IMdexFactory.sol"; import "../../apis/mdex/IMdexRouter.sol"; import "../../interfaces/IMdexSwapMining.sol"; import "../../interfaces/IWorker.sol"; import "../../interfaces/IStrategy.sol"; import "../../interfaces/IVault.sol"; import "../../../utils/SafeToken.sol"; contract MdexRestrictedStrategyPartialCloseLiquidate is OwnableUpgradeSafe, ReentrancyGuardUpgradeSafe, IStrategy { using SafeToken for address; using SafeMath for uint256; /// @notice Events event SetWorkerOk(address indexed caller, address worker, bool isOk); event WithdrawTradingRewards(address indexed caller, address to, uint256 amount); IMdexFactory public factory; IMdexRouter public router; address public mdx; mapping(address => bool) public okWorkers; event MdexRestrictedStrategyPartialCloseLiquidateEvent( address indexed baseToken, address indexed farmToken, uint256 amountToLiquidate, uint256 amountToRepayDebt ); /// @notice require that only allowed workers are able to do the rest of the method call modifier onlyWhitelistedWorkers() { require(okWorkers[msg.sender], "MdexRestrictedStrategyPartialCloseLiquidate::onlyWhitelistedWorkers:: bad worker"); _; } /// @dev Create a new liquidate strategy instance. /// @param _router The Mdex Router smart contract. /// @param _mdx The address of mdex token. function initialize(IMdexRouter _router, address _mdx) external initializer { OwnableUpgradeSafe.__Ownable_init(); ReentrancyGuardUpgradeSafe.__ReentrancyGuard_init(); factory = IMdexFactory(_router.factory()); router = _router; mdx = _mdx; } /// @dev Execute worker strategy. Take LP token. Return BaseToken. /// @param data Extra calldata information passed along to this strategy. function execute( address, /* user */ uint256 debt, bytes calldata data ) external override onlyWhitelistedWorkers nonReentrant { // 1. Decode variables from extra data & load required variables. // - maxLpTokenToLiquidate -> maximum lpToken amount that user want to liquidate. // - maxDebtRepayment -> maximum BTOKEN amount that user want to repaid debt. // - minBaseToken -> minimum baseToken amount that user want to receive. (uint256 maxLpTokenToLiquidate, uint256 maxDebtRepayment, uint256 minBaseToken) = abi.decode(data, (uint256, uint256, uint256)); IWorker worker = IWorker(msg.sender); address baseToken = worker.baseToken(); address farmingToken = worker.farmingToken(); IPancakePair lpToken = IPancakePair(factory.getPair(farmingToken, baseToken)); uint256 lpTokenToLiquidate = Math.min(address(lpToken).myBalance(), maxLpTokenToLiquidate); uint256 lessDebt = Math.min(maxDebtRepayment, debt); uint256 baseTokenBefore = baseToken.myBalance(); // 2. Approve router to do their stuffs. address(lpToken).safeApprove(address(router), uint256(-1)); farmingToken.safeApprove(address(router), uint256(-1)); // 3. Remove some LP back to BaseToken and farming tokens as we want to return some of the position. router.removeLiquidity(baseToken, farmingToken, lpTokenToLiquidate, 0, 0, address(this), now); // 4. Convert farming tokens to baseToken. address[] memory path = new address[](2); path[0] = farmingToken; path[1] = baseToken; router.swapExactTokensForTokens(farmingToken.myBalance(), 0, path, address(this), now); // 5. Return all baseToken back to the original caller. uint256 baseTokenAfter = baseToken.myBalance(); require( baseTokenAfter.sub(baseTokenBefore).sub(lessDebt) >= minBaseToken, "MdexRestrictedStrategyPartialCloseLiquidate::execute:: insufficient baseToken received" ); SafeToken.safeTransfer(baseToken, msg.sender, baseTokenAfter); address(lpToken).safeTransfer(msg.sender, lpToken.balanceOf(address(this))); // 6. Reset approve for safety reason. address(lpToken).safeApprove(address(router), 0); farmingToken.safeApprove(address(router), 0); emit MdexRestrictedStrategyPartialCloseLiquidateEvent(baseToken, farmingToken, lpTokenToLiquidate, lessDebt); } function setWorkersOk(address[] calldata workers, bool isOk) external onlyOwner { for (uint256 idx = 0; idx < workers.length; idx++) { okWorkers[workers[idx]] = isOk; emit SetWorkerOk(msg.sender, workers[idx], isOk); } } /// @dev Withdraw trading all reward. /// @param to The address to transfer trading reward to. function withdrawTradingRewards(address to) external onlyOwner { uint256 mdxBalanceBefore = mdx.myBalance(); IMdexSwapMining(router.swapMining()).takerWithdraw(); uint256 mdxBalanceAfter = mdx.myBalance().sub(mdxBalanceBefore); mdx.safeTransfer(to, mdxBalanceAfter); emit WithdrawTradingRewards(msg.sender, to, mdxBalanceAfter); } /// @dev Get trading rewards by pIds. /// @param pIds pool ids to retrieve reward amount. function getMiningRewards(uint256[] calldata pIds) external view returns (uint256) { address swapMiningAddress = router.swapMining(); uint256 totalReward; for (uint256 index = 0; index < pIds.length; index++) { (uint256 reward, ) = IMdexSwapMining(swapMiningAddress).getUserReward(pIds[index]); totalReward = totalReward.add(reward); } return totalReward; } }
40.839161
119
0.731336
0.838604
1,913