content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
"""539. Move Zeroes"""
class Solution:
"""
@param nums: an integer array
@return: nothing
"""
def moveZeroes(self, nums):
# write your code here
## Practice:
l = 0
r = 0
n = len(nums)
while r < n:
if r < n and nums[r] != 0:
nums[l], nums[r] = nums[r], nums[l]
l += 1
r += 1
while l < n:
if nums[l] != 0:
nums[l] = 0
l += 1
#####
left = right = 0
while right < len(nums):
if nums[right] != 0:
nums[left], nums[right] = nums[right], nums[left]
left += 1
right += 1
while left < len(nums):
if nums[left] != 0:
nums[left] = 0
left += 1
| """539. Move Zeroes"""
class Solution:
"""
@param nums: an integer array
@return: nothing
"""
def move_zeroes(self, nums):
l = 0
r = 0
n = len(nums)
while r < n:
if r < n and nums[r] != 0:
(nums[l], nums[r]) = (nums[r], nums[l])
l += 1
r += 1
while l < n:
if nums[l] != 0:
nums[l] = 0
l += 1
left = right = 0
while right < len(nums):
if nums[right] != 0:
(nums[left], nums[right]) = (nums[right], nums[left])
left += 1
right += 1
while left < len(nums):
if nums[left] != 0:
nums[left] = 0
left += 1 |
def nonstring_iterable(obj):
try: iter(obj)
except TypeError: return False
else: return not isinstance(obj, basestring)
| def nonstring_iterable(obj):
try:
iter(obj)
except TypeError:
return False
else:
return not isinstance(obj, basestring) |
# If the list grows large, it might be worth using a dictionary
isps = ('gmail.', 'yahoo.', 'earthlink.', 'comcast.', 'att.', 'movistar.', 'hotmail.', 'mail.', 'googlemail.',
'msn.', 'bellsouth.', 'telus.', 'optusnet.', 'qq.', 'sky.', 'icloud.', 'mac.', 'sympatico.',
'xtra.', 'web.', 'cox.', 'ymail.', 'aim.', 'rogers.', 'verizon.', 'rocketmail.', 'google.', 'optonline.',
'sbcglobal.', 'aol.', 'me.', 'btinternet.', 'charter.', 'shaw.')
def is_isp_domain(domain):
'Return True if the domain is a known ISP; False otherwise.'
for isp in isps:
if domain.startswith(isp):
return True
return False
def is_isp_email(email):
'Return True if the domain for this email is a known ISP; False otherwise.'
domain = email.split('@')[1]
return is_isp_domain(domain)
| isps = ('gmail.', 'yahoo.', 'earthlink.', 'comcast.', 'att.', 'movistar.', 'hotmail.', 'mail.', 'googlemail.', 'msn.', 'bellsouth.', 'telus.', 'optusnet.', 'qq.', 'sky.', 'icloud.', 'mac.', 'sympatico.', 'xtra.', 'web.', 'cox.', 'ymail.', 'aim.', 'rogers.', 'verizon.', 'rocketmail.', 'google.', 'optonline.', 'sbcglobal.', 'aol.', 'me.', 'btinternet.', 'charter.', 'shaw.')
def is_isp_domain(domain):
"""Return True if the domain is a known ISP; False otherwise."""
for isp in isps:
if domain.startswith(isp):
return True
return False
def is_isp_email(email):
"""Return True if the domain for this email is a known ISP; False otherwise."""
domain = email.split('@')[1]
return is_isp_domain(domain) |
class Solution:
def isPalindrome(self, s: str) -> bool:
l1 = ord('a')
r1 = ord('z')
l2 = ord('A')
r2 = ord('Z')
l3 = ord('0')
r3 = ord('9')
diff = ord('a') - ord('A')
seq = [
chr(ord(ch) - diff) if l1 <= ord(ch) <= r1 else ch
for ch in s
if l1 <= ord(ch) <= r1
or l2 <= ord(ch) <= r2
or l3 <= ord(ch) <= r3
]
return seq == seq[::-1] | class Solution:
def is_palindrome(self, s: str) -> bool:
l1 = ord('a')
r1 = ord('z')
l2 = ord('A')
r2 = ord('Z')
l3 = ord('0')
r3 = ord('9')
diff = ord('a') - ord('A')
seq = [chr(ord(ch) - diff) if l1 <= ord(ch) <= r1 else ch for ch in s if l1 <= ord(ch) <= r1 or l2 <= ord(ch) <= r2 or l3 <= ord(ch) <= r3]
return seq == seq[::-1] |
# -*- coding: utf-8 -*-
class ConfigFetchError(Exception):
"""Raised when we were unable to fetch the config from the server
"""
def __init__(self, msg, response):
self.msg = msg
self.response = response
super(Exception, self)
class InvalidAPICallError(Exception):
pass
class UnknownArtifactoryRestError(Exception):
""" Raised if we don't know what happened with an artifactory rest call"""
def __init__(self, msg, response):
self.msg = msg
self.response = response
super(Exception, self)
class InvalidCredentialsError(Exception):
"""
Raised if none of the provided crendentials provide the correct
authorization
"""
pass
| class Configfetcherror(Exception):
"""Raised when we were unable to fetch the config from the server
"""
def __init__(self, msg, response):
self.msg = msg
self.response = response
super(Exception, self)
class Invalidapicallerror(Exception):
pass
class Unknownartifactoryresterror(Exception):
""" Raised if we don't know what happened with an artifactory rest call"""
def __init__(self, msg, response):
self.msg = msg
self.response = response
super(Exception, self)
class Invalidcredentialserror(Exception):
"""
Raised if none of the provided crendentials provide the correct
authorization
"""
pass |
# -*- coding: utf-8 -*-
__author__ = 'Audrey Roy Greenfeld'
__email__ = 'aroy@alum.mit.edu'
__version__ = '0.1.0'
| __author__ = 'Audrey Roy Greenfeld'
__email__ = 'aroy@alum.mit.edu'
__version__ = '0.1.0' |
def number_of_divisors(divisor: int) -> int:
global requests
global divisors
if divisor in divisors:
return divisors[divisor]
requests.add(divisor)
count = 2
for i in range(2, int(divisor**0.5) + 1):
if not (divisor % i):
count += 2
divisors[divisor] = count
return count
if __name__ == "__main__":
requests = set()
divisors = {}
print(number_of_divisors(2000000000))
print(number_of_divisors(6))
print(number_of_divisors(6))
print(number_of_divisors(2000000000))
print(divisors)
| def number_of_divisors(divisor: int) -> int:
global requests
global divisors
if divisor in divisors:
return divisors[divisor]
requests.add(divisor)
count = 2
for i in range(2, int(divisor ** 0.5) + 1):
if not divisor % i:
count += 2
divisors[divisor] = count
return count
if __name__ == '__main__':
requests = set()
divisors = {}
print(number_of_divisors(2000000000))
print(number_of_divisors(6))
print(number_of_divisors(6))
print(number_of_divisors(2000000000))
print(divisors) |
class Solution:
def canCompleteCircuit(self, gas: List[int], cost: List[int]) -> int:
totalRemain = 0
remainFromStart = 0
start = None
for i in range(len(gas)):
remain = gas[i] - cost[i] # remain when cross the station
remainFromStart += remain
if remainFromStart < 0:
start = None
remainFromStart = 0
elif start is None:
start = i
totalRemain += remain
return start if totalRemain >= 0 else -1 | class Solution:
def can_complete_circuit(self, gas: List[int], cost: List[int]) -> int:
total_remain = 0
remain_from_start = 0
start = None
for i in range(len(gas)):
remain = gas[i] - cost[i]
remain_from_start += remain
if remainFromStart < 0:
start = None
remain_from_start = 0
elif start is None:
start = i
total_remain += remain
return start if totalRemain >= 0 else -1 |
"""
DESCRIPTORS: local ang global descriptors for a rectangular (part of an) image.
"""
__autor__ = 'Vlad Popovici'
| """
DESCRIPTORS: local ang global descriptors for a rectangular (part of an) image.
"""
__autor__ = 'Vlad Popovici' |
# -*- coding: utf-8 -*- #
# Copyright 2015 Google Inc. All Rights Reserved.
"""Package marker file."""
| """Package marker file.""" |
# Membaca file hello.txt dengan fungsi readlines()
print(">>> Membaca file hello.txt dengan fungsi readlines()")
file = open("hello.txt", "r")
all_lines = file.readlines()
file.close()
print(all_lines)
# Membaca file hello.txt dengan menerapkan looping
print(">>> Membaca file hello.txt dengan menerapkan looping")
file = open("hello.txt", "r")
for line in file:
print(line)
file.close() | print('>>> Membaca file hello.txt dengan fungsi readlines()')
file = open('hello.txt', 'r')
all_lines = file.readlines()
file.close()
print(all_lines)
print('>>> Membaca file hello.txt dengan menerapkan looping')
file = open('hello.txt', 'r')
for line in file:
print(line)
file.close() |
class Person(object):
def __init__(self, name, age):
self.name = name
self.age = age
def get_person(self):
return '<Person ({0}, {1})'.format(self.name, self.age)
p = Person('Manuel', 21)
print('Type of Object: {0}, Memory Address: {1}'.format(type(p), id(p))) | class Person(object):
def __init__(self, name, age):
self.name = name
self.age = age
def get_person(self):
return '<Person ({0}, {1})'.format(self.name, self.age)
p = person('Manuel', 21)
print('Type of Object: {0}, Memory Address: {1}'.format(type(p), id(p))) |
class Solution:
def countAndSay(self, n: int) -> str:
say = '1'
while n > 1 :
n -= 1
temp = say
tag = temp[0]
count = 1
say = ''
for j in range(1, len(temp)):
if temp[j] == tag:
count += 1
else:
say += str(count) + tag
tag = temp[j]
count = 1
say += str(count) + tag
return say | class Solution:
def count_and_say(self, n: int) -> str:
say = '1'
while n > 1:
n -= 1
temp = say
tag = temp[0]
count = 1
say = ''
for j in range(1, len(temp)):
if temp[j] == tag:
count += 1
else:
say += str(count) + tag
tag = temp[j]
count = 1
say += str(count) + tag
return say |
# v1
# can only buy then sell once
def max_profit_1(prices):
if not prices: return 0
low = prices[0] # lowest price so far
profit = 0
for price in prices:
if low >= price:
low = price
else:
profit = max(profit, price - low)
return profit
# O(n) time and space
# v3
# can only buy then sell twice
# brute force: find the max profit of prices[:i] then the max profit of prices[i:]
# optimization: use an array to record the max profit of prices[:i] for each i
# and another array to record the max profit of prices[i:] for each i (DP)
def max_profit_3(prices):
if not prices:
return 0
profits = [0] * len(prices)
# max profit of prices[:i] for each i
max_profit_left = 0
min_price = prices[0]
for i in range(1, len(prices)):
min_price = min(min_price, prices[i])
max_profit_left = max(max_profit_left, prices[i] - min_price)
profits[i] = max_profit_left
# max profit of prices[i:] for each i
max_profit_right = 0
max_price = prices[-1]
for i in range(len(prices) - 1, 0, -1):
max_price = max(max_price, prices[i])
max_profit_right = max(max_profit_right, max_price - prices[i])
profits[i] += max_profit_right
return max(profits)
# O(n) time and space
# v4
# can only buy then sell for k times
#
# with cooldown (cannot buy after the day sold)
# assume all prices are non-negative
def max_profit_cooldown(prices):
'''
1) state definition
hold[i]: max profit when holding a position on day i
unhold[i]: max profit not holding a position on day i
2) base cases:
hold[0] = -prices[0]
hold[1] = max(-prices[0], -prices[1])
unhold[0] = 0
unhold[1] = max(0, hold[0] + prices[1])
3) state transfer function:
hold[i] = max(hold[i-1], # not buying on day i
unhold[i-2] - prices[i]) # buying on day i
unhold[i] = max(unhold[i-1], # no position on day i-1
hold[i-1] + prices[i]) # hold a position on dy i-1 and sell on day i
'''
if not prices or len(prices) < 2:
return 0
hold = [0] * len(prices)
unhold = [0] * len(prices)
hold[0] = -prices[0]
hold[1] = max(-prices[0], - prices[1])
unhold[1] = max(0, hold[0] + prices[1])
for i in range(2, len(prices)):
hold[i] = max(hold[i-1], unhold[i-2] - prices[i])
unhold[i] = max(unhold[i-1], hold[i-1] + prices[i])
return unhold[-1]
# O(3 ^ n) for brute force
# O(n) time and space
# space can be optimized to O(1)
| def max_profit_1(prices):
if not prices:
return 0
low = prices[0]
profit = 0
for price in prices:
if low >= price:
low = price
else:
profit = max(profit, price - low)
return profit
def max_profit_3(prices):
if not prices:
return 0
profits = [0] * len(prices)
max_profit_left = 0
min_price = prices[0]
for i in range(1, len(prices)):
min_price = min(min_price, prices[i])
max_profit_left = max(max_profit_left, prices[i] - min_price)
profits[i] = max_profit_left
max_profit_right = 0
max_price = prices[-1]
for i in range(len(prices) - 1, 0, -1):
max_price = max(max_price, prices[i])
max_profit_right = max(max_profit_right, max_price - prices[i])
profits[i] += max_profit_right
return max(profits)
def max_profit_cooldown(prices):
"""
1) state definition
hold[i]: max profit when holding a position on day i
unhold[i]: max profit not holding a position on day i
2) base cases:
hold[0] = -prices[0]
hold[1] = max(-prices[0], -prices[1])
unhold[0] = 0
unhold[1] = max(0, hold[0] + prices[1])
3) state transfer function:
hold[i] = max(hold[i-1], # not buying on day i
unhold[i-2] - prices[i]) # buying on day i
unhold[i] = max(unhold[i-1], # no position on day i-1
hold[i-1] + prices[i]) # hold a position on dy i-1 and sell on day i
"""
if not prices or len(prices) < 2:
return 0
hold = [0] * len(prices)
unhold = [0] * len(prices)
hold[0] = -prices[0]
hold[1] = max(-prices[0], -prices[1])
unhold[1] = max(0, hold[0] + prices[1])
for i in range(2, len(prices)):
hold[i] = max(hold[i - 1], unhold[i - 2] - prices[i])
unhold[i] = max(unhold[i - 1], hold[i - 1] + prices[i])
return unhold[-1] |
""" Python Playlist Parser (plparser)
Copyright (C) 2012 Hugo Caille
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the distribution.
3. The name of the author may not be used to endorse or promote products derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE
OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""
def parse(file, encoding, trackObject, playlistObject):
parse_track = trackObject
parse_playlist = playlistObject
playlist = list()
lines = file.split('\n')
lines.pop(0)
i = 1
while i != lines.count(''):
lines.remove('')
i = i + 1
info = None
fileref = None
for line in lines:
if len(line.split(u'#EXTINF:')) == 2:
info = line.split(u'#EXTINF:')[1]
else:
fileref = line
if info != None and fileref != None:
info = info.split(',')
length = int(info[0])
name = info[1]
playlist.append(parse_track(name=name, duration=length, file=fileref))
info = None
fileref = None
return parse_playlist(tracks=playlist, encoding=encoding)
| """ Python Playlist Parser (plparser)
Copyright (C) 2012 Hugo Caille
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the distribution.
3. The name of the author may not be used to endorse or promote products derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE
OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""
def parse(file, encoding, trackObject, playlistObject):
parse_track = trackObject
parse_playlist = playlistObject
playlist = list()
lines = file.split('\n')
lines.pop(0)
i = 1
while i != lines.count(''):
lines.remove('')
i = i + 1
info = None
fileref = None
for line in lines:
if len(line.split(u'#EXTINF:')) == 2:
info = line.split(u'#EXTINF:')[1]
else:
fileref = line
if info != None and fileref != None:
info = info.split(',')
length = int(info[0])
name = info[1]
playlist.append(parse_track(name=name, duration=length, file=fileref))
info = None
fileref = None
return parse_playlist(tracks=playlist, encoding=encoding) |
def preorderTraversal(root):
if root is None:
return []
nodes = []
def visit(node, nodes):
if node is None:
return
nodes.append(node.val)
visit(node.left, nodes)
visit(node.right, nodes)
visit(root, nodes)
return nodes
| def preorder_traversal(root):
if root is None:
return []
nodes = []
def visit(node, nodes):
if node is None:
return
nodes.append(node.val)
visit(node.left, nodes)
visit(node.right, nodes)
visit(root, nodes)
return nodes |
def encrypt(input, key):
encrypted = []
for i in range(0, len(input)):
a = ord(input[i])
for j in range (0, key):
a = a + 1
if (a>122):
a = 97
encrypted.append(chr(a))
return "".join(encrypted)
def decrypt(input, key):
decrypted = []
for i in range(0, len(input)):
a = ord(input[i])
for o in range (0, key):
a = a - 1
if (a<97):
a = 122
decrypted.append(chr(a))
return "".join(decrypted)
def main():
try:
print("Press 1 to Encrypt")
print("Press 2 to Decrypt")
choice = input("Choice: ")
if choice == '1':
print("Enter the Key")
key = int(input("Key: "))
print("Enter PlainText")
plainText = input("Plain Text: ")
print("Encrypted Text is : ", encrypt(plainText, key))
if choice == '2':
print("Enter the Key")
key = int(input("Key: "))
print("Enter CipherText")
cipherText = input("Cipher Text: ")
print("Encrypted Text is : ", decrypt(cipherText, key))
except Exception as e:
print(e)
if __name__ == '__main__':
main() | def encrypt(input, key):
encrypted = []
for i in range(0, len(input)):
a = ord(input[i])
for j in range(0, key):
a = a + 1
if a > 122:
a = 97
encrypted.append(chr(a))
return ''.join(encrypted)
def decrypt(input, key):
decrypted = []
for i in range(0, len(input)):
a = ord(input[i])
for o in range(0, key):
a = a - 1
if a < 97:
a = 122
decrypted.append(chr(a))
return ''.join(decrypted)
def main():
try:
print('Press 1 to Encrypt')
print('Press 2 to Decrypt')
choice = input('Choice: ')
if choice == '1':
print('Enter the Key')
key = int(input('Key: '))
print('Enter PlainText')
plain_text = input('Plain Text: ')
print('Encrypted Text is : ', encrypt(plainText, key))
if choice == '2':
print('Enter the Key')
key = int(input('Key: '))
print('Enter CipherText')
cipher_text = input('Cipher Text: ')
print('Encrypted Text is : ', decrypt(cipherText, key))
except Exception as e:
print(e)
if __name__ == '__main__':
main() |
number_of_input_bits = 1
mux_x = 0.002 # in m
mux_y = 0.0012 # in m
for i in range(number_of_input_bits):
positionx = 0.0 + mux_x * i
line = "Mux1" + str(i) + "\t" + str(mux_x) + "\t" + str(mux_y) + "\t"
line += str(round(positionx, 8)) + "\t"
positiony = 0.0
line += str(round(positiony, 8))
print(line)
line = "Mux0" + str(i) + "\t" + str(mux_x) + "\t" + str(mux_y) + "\t"
line += str(round(positionx, 8)) + "\t"
positiony = mux_y
line += str(round(positiony, 8))
print(line)
print("flip\t0.01\t0.013\t" + str(number_of_input_bits * mux_x) + "\t0.0")
| number_of_input_bits = 1
mux_x = 0.002
mux_y = 0.0012
for i in range(number_of_input_bits):
positionx = 0.0 + mux_x * i
line = 'Mux1' + str(i) + '\t' + str(mux_x) + '\t' + str(mux_y) + '\t'
line += str(round(positionx, 8)) + '\t'
positiony = 0.0
line += str(round(positiony, 8))
print(line)
line = 'Mux0' + str(i) + '\t' + str(mux_x) + '\t' + str(mux_y) + '\t'
line += str(round(positionx, 8)) + '\t'
positiony = mux_y
line += str(round(positiony, 8))
print(line)
print('flip\t0.01\t0.013\t' + str(number_of_input_bits * mux_x) + '\t0.0') |
k,s=map(int,input().split())
x=list(input())
for i in range(s):
if x[i].isalpha() and x[i].isupper():
print(chr(ord('A')+(ord(x[i])-ord('A')+k)%26),end='')
elif x[i].isalpha():
print(chr(ord('a')+(ord(x[i])-ord('a')+k)%26),end='')
else:
print(x[i],end='') | (k, s) = map(int, input().split())
x = list(input())
for i in range(s):
if x[i].isalpha() and x[i].isupper():
print(chr(ord('A') + (ord(x[i]) - ord('A') + k) % 26), end='')
elif x[i].isalpha():
print(chr(ord('a') + (ord(x[i]) - ord('a') + k) % 26), end='')
else:
print(x[i], end='') |
def reverse(string):
string = "".join(reversed(string)) #used reversed function for reversing the String
return string
str = input("Enter A String:")
print ("The Entered String is : ",end="") #end is used here so that output will be in same line.
print (str)
print ("The Reversed String is : ",end="")
print (reverse(str))
| def reverse(string):
string = ''.join(reversed(string))
return string
str = input('Enter A String:')
print('The Entered String is : ', end='')
print(str)
print('The Reversed String is : ', end='')
print(reverse(str)) |
# Copyright 2011 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Makes sure that injected JavaScript is clang-format clean."""
def CheckChangeOnUpload(input_api, output_api):
"""Special Top level function called by git_cl."""
return input_api.canned_checks.CheckPatchFormatted(
input_api, output_api, check_js=True)
| """Makes sure that injected JavaScript is clang-format clean."""
def check_change_on_upload(input_api, output_api):
"""Special Top level function called by git_cl."""
return input_api.canned_checks.CheckPatchFormatted(input_api, output_api, check_js=True) |
class Solution:
def twoSum(self, nums: List[int], target: int) -> List[int]:
hashMap = {}
for idx in range(len(nums)):
currentNum = nums[idx]
difference = target-currentNum
if difference not in hashMap and currentNum not in hashMap:
hashMap[difference] = idx
else:
return [hashMap[currentNum], idx]
| class Solution:
def two_sum(self, nums: List[int], target: int) -> List[int]:
hash_map = {}
for idx in range(len(nums)):
current_num = nums[idx]
difference = target - currentNum
if difference not in hashMap and currentNum not in hashMap:
hashMap[difference] = idx
else:
return [hashMap[currentNum], idx] |
# -*- coding: utf-8 -*-
# Part of Odoo. See LICENSE file for full copyright and licensing details.
{
'name': 'My Farm',
'version' : '1.1',
'category': 'Services',
'installable': True,
'application': True,
'depends': ['project'],
'data': [
'data/res.country.state.csv',
'data/seq.xml',
'security/ir.model.access.csv',
'views/farm_configuration_farm_locations.xml',
'views/farm_configuration_fleets.xml',
'views/farm_configuration_farmers.xml',
'views/farm_configuration_farm_locations_detail.xml',
'views/farm_configuration_stages.xml',
'views/farm_crops.xml',
'views/farm_dieases_cure.xml',
'views/farm_incidents.xml',
'views/farm_projects.xml',
'views/farm_crop_process.xml',
'views/farm_crop_requests.xml',
'views/farm_menu.xml',
],
'asset': {
'web.assets_backend': [
'farm/static/src/**/*'
]
},
'license': 'LGPL-3'
} | {'name': 'My Farm', 'version': '1.1', 'category': 'Services', 'installable': True, 'application': True, 'depends': ['project'], 'data': ['data/res.country.state.csv', 'data/seq.xml', 'security/ir.model.access.csv', 'views/farm_configuration_farm_locations.xml', 'views/farm_configuration_fleets.xml', 'views/farm_configuration_farmers.xml', 'views/farm_configuration_farm_locations_detail.xml', 'views/farm_configuration_stages.xml', 'views/farm_crops.xml', 'views/farm_dieases_cure.xml', 'views/farm_incidents.xml', 'views/farm_projects.xml', 'views/farm_crop_process.xml', 'views/farm_crop_requests.xml', 'views/farm_menu.xml'], 'asset': {'web.assets_backend': ['farm/static/src/**/*']}, 'license': 'LGPL-3'} |
i = 2
S = 1
while i <= 100:
S = S + (1 / i)
i += 1
print('{:.2f}'.format(S)) | i = 2
s = 1
while i <= 100:
s = S + 1 / i
i += 1
print('{:.2f}'.format(S)) |
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
# This is a dummy grpcio==1.35.0 package used for E2E
# testing in Azure Functions Python Worker.
__version__ = '1.35.0'
| __version__ = '1.35.0' |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
@author: Pieter Huycke
email: pieter.huycke@ugent.be
GitHub: phuycke
"""
#%%
my_dict = {'a':15 , 'c':35, 'b':20}
[print("Dictionary key: ", key) for key in my_dict.keys()]
print("- - - -")
[print("Dictionary value: ", val) for val in my_dict.values()]
print("- - - -")
[print("Key: {} --> value: {}".format(k, v)) for k,v in my_dict.items()]
print("- - - -")
[print("Key: {} --> value: {}".format(k, v)) for k, v in sorted(my_dict.items(),
key = lambda kv: kv[1])]
print("- - - -")
| """
@author: Pieter Huycke
email: pieter.huycke@ugent.be
GitHub: phuycke
"""
my_dict = {'a': 15, 'c': 35, 'b': 20}
[print('Dictionary key: ', key) for key in my_dict.keys()]
print('- - - -')
[print('Dictionary value: ', val) for val in my_dict.values()]
print('- - - -')
[print('Key: {} --> value: {}'.format(k, v)) for (k, v) in my_dict.items()]
print('- - - -')
[print('Key: {} --> value: {}'.format(k, v)) for (k, v) in sorted(my_dict.items(), key=lambda kv: kv[1])]
print('- - - -') |
# Copyright (c) 2019-present, Facebook, Inc.
# All rights reserved.
#
# This source code is licensed under the license found in the
# LICENSE file in the root directory of this source tree.
#
def f_gold ( arr , n ) :
count = 0
arr.sort ( )
for i in range ( 0 , n - 1 ) :
if ( arr [ i ] != arr [ i + 1 ] and arr [ i ] != arr [ i + 1 ] - 1 ) :
count += arr [ i + 1 ] - arr [ i ] - 1 ;
return count
#TOFILL
if __name__ == '__main__':
param = [
([4, 4, 5, 7, 7, 9, 13, 15, 18, 19, 25, 27, 27, 29, 32, 36, 48, 51, 53, 53, 55, 65, 66, 67, 72, 74, 74, 76, 77, 79, 80, 81, 82, 83, 83, 86, 87, 97, 98, 98, 99],30,),
([34, 6, -16, -26, -80, -90, -74, 16, -84, 64, -8, 14, -52, -26, -90, -84, 94, 92, -88, -84, 72],17,),
([0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1],24,),
([25, 29, 12, 79, 23, 92, 54, 43, 26, 10, 43, 39, 32, 12, 62, 13, 13],14,),
([-94, -86, -72, -64, -64, -58, -56, -56, -56, -56, -54, -54, -52, -42, -42, -40, -36, -32, -28, -22, -20, -18, -12, -8, -6, -4, 0, 2, 4, 10, 16, 30, 32, 48, 48, 60, 70, 74, 76, 84],35,),
([1, 1, 1, 0, 1, 0, 0, 1, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 1, 1, 0, 1, 0, 1, 1, 0, 0, 1, 0, 1, 1, 1, 0],29,),
([4, 5, 8, 12, 16, 16, 17, 20, 20, 23, 26, 26, 27, 28, 32, 34, 40, 40, 41, 41, 44, 45, 47, 49, 51, 52, 54, 57, 60, 62, 63, 64, 66, 68, 69, 70, 71, 76, 77, 80, 80, 80, 90, 91, 92, 94, 96, 98, 99],42,),
([66, -46, -92, -40, 76, 74, 10, 20, 56, -46, 88, -18, 48, 96, -48, -86, 38, -98, 50, 4, -52, -38, 14, -48, 96, 16, -74, -26, 80, 14, -92, -60, -78, -68, 96, -72, -44, -92, 2, 60, 4, 48, 84, -92],37,),
([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1],17,),
([49, 84, 66],2,)
]
n_success = 0
for i, parameters_set in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success+=1
print("#Results: %i, %i" % (n_success, len(param))) | def f_gold(arr, n):
count = 0
arr.sort()
for i in range(0, n - 1):
if arr[i] != arr[i + 1] and arr[i] != arr[i + 1] - 1:
count += arr[i + 1] - arr[i] - 1
return count
if __name__ == '__main__':
param = [([4, 4, 5, 7, 7, 9, 13, 15, 18, 19, 25, 27, 27, 29, 32, 36, 48, 51, 53, 53, 55, 65, 66, 67, 72, 74, 74, 76, 77, 79, 80, 81, 82, 83, 83, 86, 87, 97, 98, 98, 99], 30), ([34, 6, -16, -26, -80, -90, -74, 16, -84, 64, -8, 14, -52, -26, -90, -84, 94, 92, -88, -84, 72], 17), ([0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1], 24), ([25, 29, 12, 79, 23, 92, 54, 43, 26, 10, 43, 39, 32, 12, 62, 13, 13], 14), ([-94, -86, -72, -64, -64, -58, -56, -56, -56, -56, -54, -54, -52, -42, -42, -40, -36, -32, -28, -22, -20, -18, -12, -8, -6, -4, 0, 2, 4, 10, 16, 30, 32, 48, 48, 60, 70, 74, 76, 84], 35), ([1, 1, 1, 0, 1, 0, 0, 1, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 1, 1, 0, 1, 0, 1, 1, 0, 0, 1, 0, 1, 1, 1, 0], 29), ([4, 5, 8, 12, 16, 16, 17, 20, 20, 23, 26, 26, 27, 28, 32, 34, 40, 40, 41, 41, 44, 45, 47, 49, 51, 52, 54, 57, 60, 62, 63, 64, 66, 68, 69, 70, 71, 76, 77, 80, 80, 80, 90, 91, 92, 94, 96, 98, 99], 42), ([66, -46, -92, -40, 76, 74, 10, 20, 56, -46, 88, -18, 48, 96, -48, -86, 38, -98, 50, 4, -52, -38, 14, -48, 96, 16, -74, -26, 80, 14, -92, -60, -78, -68, 96, -72, -44, -92, 2, 60, 4, 48, 84, -92], 37), ([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1], 17), ([49, 84, 66], 2)]
n_success = 0
for (i, parameters_set) in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success += 1
print('#Results: %i, %i' % (n_success, len(param))) |
"""since the cPickle module as of py2.4 uses erroneous relative imports, define the various
picklable classes here so we can test PickleType stuff without issue."""
class Foo(object):
def __init__(self, moredata):
self.data = 'im data'
self.stuff = 'im stuff'
self.moredata = moredata
def __eq__(self, other):
return other.data == self.data and other.stuff == self.stuff and other.moredata==self.moredata
class Bar(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __eq__(self, other):
return other.__class__ is self.__class__ and other.x==self.x and other.y==self.y
def __str__(self):
return "Bar(%d, %d)" % (self.x, self.y)
class BarWithoutCompare(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __str__(self):
return "Bar(%d, %d)" % (self.x, self.y)
| """since the cPickle module as of py2.4 uses erroneous relative imports, define the various
picklable classes here so we can test PickleType stuff without issue."""
class Foo(object):
def __init__(self, moredata):
self.data = 'im data'
self.stuff = 'im stuff'
self.moredata = moredata
def __eq__(self, other):
return other.data == self.data and other.stuff == self.stuff and (other.moredata == self.moredata)
class Bar(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __eq__(self, other):
return other.__class__ is self.__class__ and other.x == self.x and (other.y == self.y)
def __str__(self):
return 'Bar(%d, %d)' % (self.x, self.y)
class Barwithoutcompare(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __str__(self):
return 'Bar(%d, %d)' % (self.x, self.y) |
board = ["-","-","-","-","-","-","-","-","-"]
gamegoing = True
winner = None
current_player = "X"
def disp_board():
print(board[0]+ "|" + board[1] + "|" + board[2])
print(board[3]+ "|" + board[4] + "|" + board[5])
print(board[6]+ "|" + board[7] + "|" + board[8])
def play_game():
disp_board()
while gamegoing:
turn(current_player)
gameover()
flip()
if winner =="X" or winner =="0":
print(winner +" won.")
elif winner == None:
print("Tie.")
def turn(player):
pos = input(player + " Choose a position from 1-9: ")
valid = False
while not valid:
while pos not in ["1","2","3","4","5","6","7","8","9"]:
pos = input("Invalid input." + player + " Choose a position from 1-9: ")
pos = int(pos)-1
if board[pos] == "-":
valid = True
else:
print("You can't go there.")
board[pos] = player
disp_board()
def gameover():
checkwin()
checktie()
def checkwin():
global winner
rwin = checkrow()
cwin = checkcol()
dwin = checkdiag()
if rwin:
winner = rwin
elif cwin:
winner = cwin
elif dwin:
winner = dwin
else:
winner = None
def checkrow():
global gamegoing
row1 = board[0] == board[1] == board[2] != "-"
row2 = board[3] == board[4] == board[5] != "-"
row3 = board[6] == board[7] == board[8] != "-"
if row1 or row2 or row3:
gamegoing = False
if row1:
return board[0]
elif row2:
return board[3]
elif row3:
return board[6]
def checkcol():
global gamegoing
col1 = board[0] == board[3] == board[6] != "-"
col2 = board[1] == board[4] == board[7] != "-"
col3 = board[2] == board[5] == board[8] != "-"
if col1 or col2 or col3:
gamegoing = False
if col1:
return board[0]
elif col2:
return board[1]
elif col3:
return board[2]
def checkdiag():
global gamegoing
diag1 = board[0] == board[4] == board[8] != "-"
diag2 = board[2] == board[4] == board[6] != "-"
if diag1 or diag2:
gamegoing = False
if diag1:
return board[0]
elif diag2:
return board[2]
def checktie():
global gamegoing
if "-" not in board:
gamegoing = False
def flip():
global current_player
if current_player =="X":
current_player = "O"
elif current_player =="O":
current_player = "X"
play_game()
| board = ['-', '-', '-', '-', '-', '-', '-', '-', '-']
gamegoing = True
winner = None
current_player = 'X'
def disp_board():
print(board[0] + '|' + board[1] + '|' + board[2])
print(board[3] + '|' + board[4] + '|' + board[5])
print(board[6] + '|' + board[7] + '|' + board[8])
def play_game():
disp_board()
while gamegoing:
turn(current_player)
gameover()
flip()
if winner == 'X' or winner == '0':
print(winner + ' won.')
elif winner == None:
print('Tie.')
def turn(player):
pos = input(player + ' Choose a position from 1-9: ')
valid = False
while not valid:
while pos not in ['1', '2', '3', '4', '5', '6', '7', '8', '9']:
pos = input('Invalid input.' + player + ' Choose a position from 1-9: ')
pos = int(pos) - 1
if board[pos] == '-':
valid = True
else:
print("You can't go there.")
board[pos] = player
disp_board()
def gameover():
checkwin()
checktie()
def checkwin():
global winner
rwin = checkrow()
cwin = checkcol()
dwin = checkdiag()
if rwin:
winner = rwin
elif cwin:
winner = cwin
elif dwin:
winner = dwin
else:
winner = None
def checkrow():
global gamegoing
row1 = board[0] == board[1] == board[2] != '-'
row2 = board[3] == board[4] == board[5] != '-'
row3 = board[6] == board[7] == board[8] != '-'
if row1 or row2 or row3:
gamegoing = False
if row1:
return board[0]
elif row2:
return board[3]
elif row3:
return board[6]
def checkcol():
global gamegoing
col1 = board[0] == board[3] == board[6] != '-'
col2 = board[1] == board[4] == board[7] != '-'
col3 = board[2] == board[5] == board[8] != '-'
if col1 or col2 or col3:
gamegoing = False
if col1:
return board[0]
elif col2:
return board[1]
elif col3:
return board[2]
def checkdiag():
global gamegoing
diag1 = board[0] == board[4] == board[8] != '-'
diag2 = board[2] == board[4] == board[6] != '-'
if diag1 or diag2:
gamegoing = False
if diag1:
return board[0]
elif diag2:
return board[2]
def checktie():
global gamegoing
if '-' not in board:
gamegoing = False
def flip():
global current_player
if current_player == 'X':
current_player = 'O'
elif current_player == 'O':
current_player = 'X'
play_game() |
'''
Created on Feb 9, 2018
@author: gongyo
'''
colors = ["red", 'yellow']
colors.append("black")
def compare(c1="str", c2="str"):
return c1 < c2
compare2 = lambda c1, c2: (c1 < c2);
colors.sort(cmp=compare2, key=None, reverse=False)
| """
Created on Feb 9, 2018
@author: gongyo
"""
colors = ['red', 'yellow']
colors.append('black')
def compare(c1='str', c2='str'):
return c1 < c2
compare2 = lambda c1, c2: c1 < c2
colors.sort(cmp=compare2, key=None, reverse=False) |
"""
Author: Kagaya john
Tutorial 8 : Tuples
"""
"""
The tuple() Constructor
It is also possible to use the tuple() constructor to make a tuple. The len() function returns the length of the tuple."""
#Using the tuple() method to make a tuple:
thistuple = tuple(("apple", "banana", "cherry")) # note the double round-brackets
print(thistuple)
#The len() method returns the number of items in a tuple:
thistuple = tuple(("apple", "banana", "cherry"))
print(len(thistuple))
| """
Author: Kagaya john
Tutorial 8 : Tuples
"""
'\nThe tuple() Constructor\nIt is also possible to use the tuple() constructor to make a tuple. The len() function returns the length of the tuple.'
thistuple = tuple(('apple', 'banana', 'cherry'))
print(thistuple)
thistuple = tuple(('apple', 'banana', 'cherry'))
print(len(thistuple)) |
def extractCwastranslationsWordpressCom(item):
'''
Parser for 'cwastranslations.wordpress.com'
'''
vol, chp, frag, postfix = extractVolChapterFragmentPostfix(item['title'])
if not (chp or vol) or "preview" in item['title'].lower():
return None
tagmap = [
('tsifb', 'Transmigrated into a School Idol and Forced to Do Business', 'translated'),
('transmigrated into a school idol and forced to do business', 'Transmigrated into a School Idol and Forced to Do Business', 'translated'),
('PRC', 'PRC', 'translated'),
('Loiterous', 'Loiterous', 'oel'),
]
for tagname, name, tl_type in tagmap:
if tagname in item['tags']:
return buildReleaseMessageWithType(item, name, vol, chp, frag=frag, postfix=postfix, tl_type=tl_type)
return False | def extract_cwastranslations_wordpress_com(item):
"""
Parser for 'cwastranslations.wordpress.com'
"""
(vol, chp, frag, postfix) = extract_vol_chapter_fragment_postfix(item['title'])
if not (chp or vol) or 'preview' in item['title'].lower():
return None
tagmap = [('tsifb', 'Transmigrated into a School Idol and Forced to Do Business', 'translated'), ('transmigrated into a school idol and forced to do business', 'Transmigrated into a School Idol and Forced to Do Business', 'translated'), ('PRC', 'PRC', 'translated'), ('Loiterous', 'Loiterous', 'oel')]
for (tagname, name, tl_type) in tagmap:
if tagname in item['tags']:
return build_release_message_with_type(item, name, vol, chp, frag=frag, postfix=postfix, tl_type=tl_type)
return False |
# version scheme: (major, minor, micro, release_level)
#
# major:
# 0 .. not all planned features done
# 1 .. all features available
# 2 .. if significant API change (2, 3, ...)
#
# minor:
# changes with new features or minor API changes
#
# micro:
# changes with bug fixes, maybe also minor API changes
#
# release_state:
# a .. alpha: adding new features - non public development state
# b .. beta: testing new features - public development state
# rc .. release candidate: testing release - public testing
# release: public release
#
# examples:
# major pre release alpha 2: VERSION = "0.9a2"; version = (0, 9, 0, 'a2')
# major release candidate 0: VERSION = "0.9rc0"; version = (0, 9, 0, 'rc0')
# major release: VERSION = "0.9"; version = (0, 9, 0, 'release')
# 1. bug fix release beta0: VERSION = "0.9.1b0"; version = (0, 9, 1, 'b0')
# 2. bug fix release: VERSION = "0.9.2"; version = (0, 9, 2, 'release')
version = (0, 15, 2, 'b0')
__version__ = "0.15.2b0"
| version = (0, 15, 2, 'b0')
__version__ = '0.15.2b0' |
class UVMDefaultServer:
def __init__(self):
self.m_quit_count = 0
self.m_max_quit_count = 0
self.max_quit_overridable = True
self.m_severity_count = {}
self.m_id_count = {}
## uvm_tr_database m_message_db;
## uvm_tr_stream m_streams[string][string]; // ro.name,rh.name
| class Uvmdefaultserver:
def __init__(self):
self.m_quit_count = 0
self.m_max_quit_count = 0
self.max_quit_overridable = True
self.m_severity_count = {}
self.m_id_count = {} |
#Factorial of number
n = int(input("enter a number "))
f = 1
if (n < 0):
print("number is negative")
elif (n == 0):
print("factorial=",1)
else:
for i in range(1,n+1):
f = f * i
print("factorial =",f) | n = int(input('enter a number '))
f = 1
if n < 0:
print('number is negative')
elif n == 0:
print('factorial=', 1)
else:
for i in range(1, n + 1):
f = f * i
print('factorial =', f) |
# dimensions of our images.
img_width, img_height = 150, 150
train_data_dir = 'data/train'
validation_data_dir = 'data/validation'
nb_train_samples = 5005
nb_validation_samples = 218
epochs = 1
batch_size = 16
| (img_width, img_height) = (150, 150)
train_data_dir = 'data/train'
validation_data_dir = 'data/validation'
nb_train_samples = 5005
nb_validation_samples = 218
epochs = 1
batch_size = 16 |
# -*- coding: utf-8 -*-
# $Id: diff.py $
"""
Diff two test sets.
"""
__copyright__ = \
"""
Copyright (C) 2010-2015 Oracle Corporation
This file is part of VirtualBox Open Source Edition (OSE), as
available from http://www.virtualbox.org. This file is free software;
you can redistribute it and/or modify it under the terms of the GNU
General Public License (GPL) as published by the Free Software
Foundation, in version 2 as it comes in the "COPYING" file of the
VirtualBox OSE distribution. VirtualBox OSE is distributed in the
hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
The contents of this file may alternatively be used under the terms
of the Common Development and Distribution License Version 1.0
(CDDL) only, as it comes in the "COPYING.CDDL" file of the
VirtualBox OSE distribution, in which case the provisions of the
CDDL are applicable instead of those of the GPL.
You may elect to license modified versions of this file under the
terms and conditions of either the GPL or the CDDL or both.
"""
__version__ = "$Revision: 100880 $"
__all__ = ['BaselineDiff', ];
def _findBaselineTest(oBaseline, oTest):
""" Recursively finds the the test in oBaseline corresponding to oTest. """
if oTest.oParent is None:
return oBaseline;
oBaseline = _findBaselineTest(oBaseline, oTest.oParent);
if oBaseline is not None:
for oBaseTest in oBaseline.aoChildren:
if oBaseTest.sName == oTest.sName:
return oBaseTest;
return None;
def _findBaselineTestValue(oBaseline, oValue):
""" Finds the baseline value corresponding to oValue. """
oBaseTest = _findBaselineTest(oBaseline, oValue.oTest);
if oBaseTest is not None:
for oBaseValue in oBaseTest.aoValues:
if oBaseValue.sName == oValue.sName:
return oBaseValue;
return None;
def baselineDiff(oTestTree, oBaseline):
"""
Diffs oTestTree against oBaseline, adding diff info to oTestTree.
Returns oTestTree on success, None on failure (complained already).
"""
aoStack = [];
aoStack.append((oTestTree, 0));
while len(aoStack) > 0:
oCurTest, iChild = aoStack.pop();
# depth first
if iChild < len(oCurTest.aoChildren):
aoStack.append((oCurTest, iChild + 1));
aoStack.append((oCurTest.aoChildren[iChild], 0));
continue;
# do value diff.
for i in range(len(oCurTest.aoValues)):
oBaseVal = _findBaselineTestValue(oBaseline, oCurTest.aoValues[i]);
if oBaseVal is not None:
try:
lBase = long(oBaseVal.sValue);
lTest = long(oCurTest.aoValues[i].sValue);
except:
try:
if oBaseVal.sValue == oCurTest.aoValues[i].sValue:
oCurTest.aoValues[i].sValue += '|';
else:
oCurTest.aoValues[i].sValue += '|%s' % (oBaseVal.sValue);
except:
oCurTest.aoValues[i].sValue += '|%s' % (oBaseVal.sValue);
else:
if lTest > lBase:
oCurTest.aoValues[i].sValue += '|+%u' % (lTest - lBase);
elif lTest < lBase:
oCurTest.aoValues[i].sValue += '|-%u' % (lBase - lTest);
else:
oCurTest.aoValues[i].sValue += '|0';
else:
oCurTest.aoValues[i].sValue += '|N/A';
return oTestTree;
| """
Diff two test sets.
"""
__copyright__ = '\nCopyright (C) 2010-2015 Oracle Corporation\n\nThis file is part of VirtualBox Open Source Edition (OSE), as\navailable from http://www.virtualbox.org. This file is free software;\nyou can redistribute it and/or modify it under the terms of the GNU\nGeneral Public License (GPL) as published by the Free Software\nFoundation, in version 2 as it comes in the "COPYING" file of the\nVirtualBox OSE distribution. VirtualBox OSE is distributed in the\nhope that it will be useful, but WITHOUT ANY WARRANTY of any kind.\n\nThe contents of this file may alternatively be used under the terms\nof the Common Development and Distribution License Version 1.0\n(CDDL) only, as it comes in the "COPYING.CDDL" file of the\nVirtualBox OSE distribution, in which case the provisions of the\nCDDL are applicable instead of those of the GPL.\n\nYou may elect to license modified versions of this file under the\nterms and conditions of either the GPL or the CDDL or both.\n'
__version__ = '$Revision: 100880 $'
__all__ = ['BaselineDiff']
def _find_baseline_test(oBaseline, oTest):
""" Recursively finds the the test in oBaseline corresponding to oTest. """
if oTest.oParent is None:
return oBaseline
o_baseline = _find_baseline_test(oBaseline, oTest.oParent)
if oBaseline is not None:
for o_base_test in oBaseline.aoChildren:
if oBaseTest.sName == oTest.sName:
return oBaseTest
return None
def _find_baseline_test_value(oBaseline, oValue):
""" Finds the baseline value corresponding to oValue. """
o_base_test = _find_baseline_test(oBaseline, oValue.oTest)
if oBaseTest is not None:
for o_base_value in oBaseTest.aoValues:
if oBaseValue.sName == oValue.sName:
return oBaseValue
return None
def baseline_diff(oTestTree, oBaseline):
"""
Diffs oTestTree against oBaseline, adding diff info to oTestTree.
Returns oTestTree on success, None on failure (complained already).
"""
ao_stack = []
aoStack.append((oTestTree, 0))
while len(aoStack) > 0:
(o_cur_test, i_child) = aoStack.pop()
if iChild < len(oCurTest.aoChildren):
aoStack.append((oCurTest, iChild + 1))
aoStack.append((oCurTest.aoChildren[iChild], 0))
continue
for i in range(len(oCurTest.aoValues)):
o_base_val = _find_baseline_test_value(oBaseline, oCurTest.aoValues[i])
if oBaseVal is not None:
try:
l_base = long(oBaseVal.sValue)
l_test = long(oCurTest.aoValues[i].sValue)
except:
try:
if oBaseVal.sValue == oCurTest.aoValues[i].sValue:
oCurTest.aoValues[i].sValue += '|'
else:
oCurTest.aoValues[i].sValue += '|%s' % oBaseVal.sValue
except:
oCurTest.aoValues[i].sValue += '|%s' % oBaseVal.sValue
else:
if lTest > lBase:
oCurTest.aoValues[i].sValue += '|+%u' % (lTest - lBase)
elif lTest < lBase:
oCurTest.aoValues[i].sValue += '|-%u' % (lBase - lTest)
else:
oCurTest.aoValues[i].sValue += '|0'
else:
oCurTest.aoValues[i].sValue += '|N/A'
return oTestTree |
# -*- coding: utf-8 -
__VERSION__ = (0, 4, 7)
__SERVER_NAME__ = 'lin/{}.{}.{}'.format(*__VERSION__)
| __version__ = (0, 4, 7)
__server_name__ = 'lin/{}.{}.{}'.format(*__VERSION__) |
# coding=utf-8
UBUNTUS = ['utopic', 'vivid', 'wily', 'xenial', 'yakkety', 'zesty', 'artful', 'bionic', 'cosmic', 'eoan', 'focal']
VERSION = "99.0"
NETS = ['default']
POOL = 'default'
IMAGE = None
CPUMODEL = 'host-model'
NUMCPUS = 2
CPUHOTPLUG = False
CPUFLAGS = []
MEMORY = 512
MEMORYHOTPLUG = False
DISKINTERFACE = 'virtio'
DISKTHIN = True
DISKSIZE = 10
DISKS = [{'size': DISKSIZE, 'default': True}]
GUESTID = 'guestrhel764'
VNC = False
CLOUDINIT = True
RESERVEIP = False
RESERVEDNS = False
RESERVEHOST = False
NESTED = True
START = True
AUTOSTART = False
TUNNEL = False
TUNNELHOST = None
TUNNELUSER = 'root'
TUNNELDIR = '/var/www/html'
TUNNELPORT = 22
VMUSER = None
VMPORT = None
IMAGES = {'arch': 'https://linuximages.de/openstack/arch/arch-openstack-LATEST-image-bootstrap.qcow2',
'centos6': 'https://cloud.centos.org/centos/6/images/CentOS-6-x86_64-GenericCloud.qcow2',
'centos7': 'https://cloud.centos.org/centos/7/images/CentOS-7-x86_64-GenericCloud.qcow2',
'centos8': 'https://cloud.centos.org/centos/8/x86_64/images/'
'CentOS-8-GenericCloud-8.2.2004-20200611.2.x86_64.qcow2',
'cirros': 'http://download.cirros-cloud.net/0.4.0/cirros-0.4.0-x86_64-disk.img',
'coreos': 'https://stable.release.core-os.net/amd64-usr/current/coreos_production_qemu_image.img.bz2',
'debian8': 'https://cdimage.debian.org/cdimage/openstack/archive/8.11.0/'
'debian-8.11.0-openstack-amd64.qcow2',
'debian9': 'https://cdimage.debian.org/cdimage/openstack/current-9/debian-9-openstack-amd64.qcow2',
'debian10': 'https://cdimage.debian.org/cdimage/openstack/current-10/debian-10-openstack-amd64.qcow2',
'fedora28': 'https://download.fedoraproject.org/pub/fedora/linux/releases/28/Cloud/x86_64/images/'
'Fedora-Cloud-Base-28-1.1.x86_64.qcow2',
'fedora29': 'https://download.fedoraproject.org/pub/fedora/linux/releases/29/Cloud/x86_64/images/'
'Fedora-Cloud-Base-29-1.2.x86_64.qcow2',
'fedora30': 'https://download.fedoraproject.org/pub/fedora/linux/releases/30/Cloud/x86_64/images/'
'Fedora-Cloud-Base-30-1.2.x86_64.qcow2',
'fcos': 'https://builds.coreos.fedoraproject.org/streams/stable.json',
'fedora31': 'https://download.fedoraproject.org/pub/fedora/linux/releases/31/Cloud/x86_64/images/'
'Fedora-Cloud-Base-31-1.9.x86_64.qcow2',
'fedora32': 'https://download.fedoraproject.org/pub/fedora/linux/releases/32/Cloud/x86_64/images/'
'Fedora-Cloud-Base-32-1.6.x86_64.qcow2',
'fedora33': 'https://download.fedoraproject.org/pub/fedora/linux/releases/33/Cloud/x86_64/images/'
'Fedora-Cloud-Base-33-1.2.x86_64.qcow2',
'freebsd112': 'https://bsd-cloud-image.org/images/freebsd/11.2/freebsd-11.2.qcow2',
'freebsd121': 'https://bsd-cloud-image.org/images/freebsd/12.1/freebsd-12.1.qcow2',
'netbsd81': 'https://bsd-cloud-image.org/images/netbsd/8.1/netbsd-8.1.qcow2',
'netbsd90': 'https://bsd-cloud-image.org/images/netbsd/9.0/netbsd-9.0.qcow2',
'openbsd66': 'https://bsd-cloud-image.org/images/openbsd/6.6/openbsd-6.6.qcow2',
'openbsd67': 'https://bsd-cloud-image.org/images/openbsd/6.7/openbsd-6.7.qcow2',
'gentoo': 'https://gentoo.osuosl.org/experimental/amd64/openstack/gentoo-openstack-amd64-default-20180621.'
'qcow2',
'opensuse': 'https://download.opensuse.org/repositories/Cloud:/Images:/Leap_15.2/images/'
'openSUSE-Leap-15.2-OpenStack.x86_64.qcow2',
'rhcos41': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.1',
'rhcos42': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.2',
'rhcos43': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.3',
'rhcos44': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.4',
'rhcos45': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.5',
'rhcos46': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.6',
'rhcoslatest': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.6',
'rhel7': 'https://access.redhat.com/downloads/content/69/ver=/rhel---7',
'rhel8': 'https://access.redhat.com/downloads/content/479/ver=/rhel---8',
'ubuntu1804': 'https://cloud-images.ubuntu.com/bionic/current/bionic-server-cloudimg-amd64.img',
'ubuntu1810': 'https://cloud-images.ubuntu.com/releases/cosmic/release-20190628/'
'ubuntu-18.10-server-cloudimg-amd64.img',
'ubuntu1904': 'https://cloud-images.ubuntu.com/releases/disco/release/ubuntu-19.04-server-cloudimg-amd64.img',
'ubuntu1910': 'https://cloud-images.ubuntu.com/releases/eoan/release/ubuntu-19.10-server-cloudimg-amd64.img',
'ubuntu2004': 'https://cloud-images.ubuntu.com/focal/current/focal-server-cloudimg-amd64.img'}
IMAGESCOMMANDS = {'debian8': 'echo datasource_list: [NoCloud, ConfigDrive, Openstack, Ec2] > /etc/cloud/cloud.cfg.d/'
'90_dpkg.cfg'}
INSECURE = True
KEYS = []
CMDS = []
SCRIPTS = []
FILES = []
DNS = None
DOMAIN = None
ISO = None
GATEWAY = None
NETMASKS = []
SHAREDKEY = False
ENABLEROOT = False
PLANVIEW = False
PRIVATEKEY = False
TAGS = []
NETWORKWAIT = 0
RHNREGISTER = False
RHNUSER = None
RHNPASSWORD = None
RHNAK = None
RHNORG = None
RHNPOOL = None
FLAVOR = None
KEEP_NETWORKS = False
DNSCLIENT = None
STORE_METADATA = False
NOTIFY = False
PUSHBULLETTOKEN = None
SLACKTOKEN = None
MAILSERVER = None
MAILFROM = None
MAILTO = []
NOTIFYCMD = None
NOTIFYSCRIPT = None
SLACKCHANNEL = None
NOTIFYMETHODS = ['pushbullet']
SHAREDFOLDERS = []
KERNEL = None
INITRD = None
CMDLINE = None
PLACEMENT = []
YAMLINVENTORY = False
CPUPINNING = []
NUMAMODE = None
NUMA = []
PCIDEVICES = []
TPM = False
RNG = False
JENKINSMODE = "podman"
WEBSOCKIFYCERT = """-----BEGIN PRIVATE KEY-----
MIIEvgIBADANBgkqhkiG9w0BAQEFAASCBKgwggSkAgEAAoIBAQC5gvbJA3nzoIEF
5R+G3Vy1XwzKoGX7uoRPstBSgEQ967n7Y3WC3JT0r7Uq8Wyudm/8sEhK6PNFkarV
zsRZrszUF/qvLzIAg8wc7c2q3jlD1nYG8U6ngnSgcJxJdGKdYDraXwCPAbNjRd+8
KimOxGolOb57iWoZTwprNJ0B9gmfIo2i+f/rLlBJtOtITPypkt0GyRQaTD3zMEMd
azJcy3wCj1RfZ97oG9C2h6rcA0P+NEUqwwnKL/dIaJl+SJRp9GXrrVhIx+rN+lnN
dT6BzLEBGZ2IXG0Y6YxRDdMGMgVl2m78uMi0wxnOkAu7vg6jppqInNLakOexR0R4
qp7W+OCnAgMBAAECggEAKc5CsSAQbn/AM8Tjqu/dwZ3O8ybcdLMeuBsy6TSwrEeg
HO/X/oqZIt8p86h+dn6IVCih0gfXMtlV52L2SsOiszVIMAxxtz38VJSeoZ/8xbXh
2USuFf/HKpTWE5Of2ZljCe0Y4iFe/MM1XWEfBmZrCUKPE6Xu/A8c6PXtYBDDMFIl
puX8CtUDyvY3+mcprFM2z7bDLlwxAdBgfKAR84F3RazRB3KlgaqCR+KVrhVnFkBZ
ApWnkwGjxj8NrKj9JArGLwiTKeQg7w1jJGdPQwCDi14XZYFHsPEllQ3hBIJzOmAS
vHkr6DdyT6L25UY6mYfjyJy2ZIqvUObCTkTgJJ4pyQKBgQDpb3qiPpEpHipod2w+
vLmcGGnYX8K1ikplvUT1bPeRXZyzWEC3CHpK+8lktVNU3MRklyNaQJIR6P5iyP/c
C46IyPHszYnHFHGwx+hG2Ibqd1RcfjOTz04Y4WxJB5APTB24aWTy09T5k48X+iu9
Ifeqxd9cdmKiLf6CDRxvUE4r1QKBgQDLcZNRY08fpc/mAV/4H3toOkiCwng10KZ0
BZs2aM8i6CGbs7KAWy9Cm18sDW5Ffhy9oh7XnmVkaaULmrwdCrIGFLsR282c4izx
3HHhfHOl6xri2xq8XwjMruzjELiIw2A8iZZssQxzV/sRHXjf9VMdcYGXlK3HrZOw
ZIg7qxjEiwKBgQDEtIzZVPHLfUDtIN0VDME3eRcQHrmbcrn4e4I1cao4U3Ltacu2
sK0krIFrnKRo2VOhE/7VWZ38+6IJKij4isCEIRhDnHuiR2b6OapQsLsXrpBnFG1v
+3tq2eH+tCG/0jslH6LSQJCx8pbc9JGQ4aOqwuzSJGw/D5TskBHK9xe4NQKBgQCQ
FYUffDUaleWS4WBlq25MWBLowPBANODehOXzd/FTqJG841zFeU8UXlPeMDjr8LBM
QdiUHvNyVTv15wXZj6ybj+0ZbdHGjY0FUno5F1oUpVjqWAEsbiYeSLku67W17qFm
3o7xtca6nhILghMMkoPl83CzuTIGnFFf+SNfFwM4lwKBgFs5cPPw51YYwYDhhCqE
EewsK2jgc1ZqIbrGA5CbtfMIc5rhTuuJ9aWfpfF/kgUp9ruVklMrEcdTtUWn/EDA
erBsSfYdgXubBAajSxm3wFHk6bgGvKGT48++DnJWL+SFbmNhh5x9xRtMHR17K1nq
KpxLjDMW1gGkb22ggyP5MnJz
-----END PRIVATE KEY-----
-----BEGIN CERTIFICATE-----
MIIDIDCCAggCCQC/KT3ImT8lHTANBgkqhkiG9w0BAQsFADBSMQswCQYDVQQGEwJF
UzEPMA0GA1UECAwGTWFkcmlkMQ8wDQYDVQQHDAZNYWRyaWQxEjAQBgNVBAoMCUth
cm1hbGFiczENMAsGA1UEAwwEa2NsaTAeFw0xOTA5MzAxMzM2MTBaFw0yOTA5Mjcx
MzM2MTBaMFIxCzAJBgNVBAYTAkVTMQ8wDQYDVQQIDAZNYWRyaWQxDzANBgNVBAcM
Bk1hZHJpZDESMBAGA1UECgwJS2FybWFsYWJzMQ0wCwYDVQQDDARrY2xpMIIBIjAN
BgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAuYL2yQN586CBBeUfht1ctV8MyqBl
+7qET7LQUoBEPeu5+2N1gtyU9K+1KvFsrnZv/LBISujzRZGq1c7EWa7M1Bf6ry8y
AIPMHO3Nqt45Q9Z2BvFOp4J0oHCcSXRinWA62l8AjwGzY0XfvCopjsRqJTm+e4lq
GU8KazSdAfYJnyKNovn/6y5QSbTrSEz8qZLdBskUGkw98zBDHWsyXMt8Ao9UX2fe
6BvQtoeq3AND/jRFKsMJyi/3SGiZfkiUafRl661YSMfqzfpZzXU+gcyxARmdiFxt
GOmMUQ3TBjIFZdpu/LjItMMZzpALu74Oo6aaiJzS2pDnsUdEeKqe1vjgpwIDAQAB
MA0GCSqGSIb3DQEBCwUAA4IBAQAs7eRc4sJ2qYPY/M8+Lb2lMh+qo6FAi34kJYbv
xhnq61/dnBCPmk8JzOwBoPVREDBGmXktOwZb88t8agT/k+OKCCh8OOVa5+FafJ5j
kShh+IkztEZr+rE6gnxdcvSzUhbfet97nPo/n5ZqtoqdSm7ajnI2iiTI+AXOJAeN
0Y29Dubv9f0Vg4c0H1+qZl0uzLk3mooxyRD4qkhgtQJ8kElRCIjmceBkk+wKOnt/
oEO8BRcXIiXiQqW9KnF99fXOiQ/cKYh3kWBBPnuEOhC77Ke5aMlqMNOPULf3PMix
2bqeJlbpLt7PkZBSawXeu6sAhRsqlpEmiPGn8ujH/oKwIAgm
-----END CERTIFICATE-----"""
VIRTTYPE = None
ZEROTIER_NETS = []
ZEROTIER_KUBELET = False
METADATA_FIELDS = ['plan', 'image', 'profile', 'owner', 'dnsclient', 'domain', 'kube', 'kubetype', 'loadbalancer']
CLIENTRULES = []
CACHE = False
| ubuntus = ['utopic', 'vivid', 'wily', 'xenial', 'yakkety', 'zesty', 'artful', 'bionic', 'cosmic', 'eoan', 'focal']
version = '99.0'
nets = ['default']
pool = 'default'
image = None
cpumodel = 'host-model'
numcpus = 2
cpuhotplug = False
cpuflags = []
memory = 512
memoryhotplug = False
diskinterface = 'virtio'
diskthin = True
disksize = 10
disks = [{'size': DISKSIZE, 'default': True}]
guestid = 'guestrhel764'
vnc = False
cloudinit = True
reserveip = False
reservedns = False
reservehost = False
nested = True
start = True
autostart = False
tunnel = False
tunnelhost = None
tunneluser = 'root'
tunneldir = '/var/www/html'
tunnelport = 22
vmuser = None
vmport = None
images = {'arch': 'https://linuximages.de/openstack/arch/arch-openstack-LATEST-image-bootstrap.qcow2', 'centos6': 'https://cloud.centos.org/centos/6/images/CentOS-6-x86_64-GenericCloud.qcow2', 'centos7': 'https://cloud.centos.org/centos/7/images/CentOS-7-x86_64-GenericCloud.qcow2', 'centos8': 'https://cloud.centos.org/centos/8/x86_64/images/CentOS-8-GenericCloud-8.2.2004-20200611.2.x86_64.qcow2', 'cirros': 'http://download.cirros-cloud.net/0.4.0/cirros-0.4.0-x86_64-disk.img', 'coreos': 'https://stable.release.core-os.net/amd64-usr/current/coreos_production_qemu_image.img.bz2', 'debian8': 'https://cdimage.debian.org/cdimage/openstack/archive/8.11.0/debian-8.11.0-openstack-amd64.qcow2', 'debian9': 'https://cdimage.debian.org/cdimage/openstack/current-9/debian-9-openstack-amd64.qcow2', 'debian10': 'https://cdimage.debian.org/cdimage/openstack/current-10/debian-10-openstack-amd64.qcow2', 'fedora28': 'https://download.fedoraproject.org/pub/fedora/linux/releases/28/Cloud/x86_64/images/Fedora-Cloud-Base-28-1.1.x86_64.qcow2', 'fedora29': 'https://download.fedoraproject.org/pub/fedora/linux/releases/29/Cloud/x86_64/images/Fedora-Cloud-Base-29-1.2.x86_64.qcow2', 'fedora30': 'https://download.fedoraproject.org/pub/fedora/linux/releases/30/Cloud/x86_64/images/Fedora-Cloud-Base-30-1.2.x86_64.qcow2', 'fcos': 'https://builds.coreos.fedoraproject.org/streams/stable.json', 'fedora31': 'https://download.fedoraproject.org/pub/fedora/linux/releases/31/Cloud/x86_64/images/Fedora-Cloud-Base-31-1.9.x86_64.qcow2', 'fedora32': 'https://download.fedoraproject.org/pub/fedora/linux/releases/32/Cloud/x86_64/images/Fedora-Cloud-Base-32-1.6.x86_64.qcow2', 'fedora33': 'https://download.fedoraproject.org/pub/fedora/linux/releases/33/Cloud/x86_64/images/Fedora-Cloud-Base-33-1.2.x86_64.qcow2', 'freebsd112': 'https://bsd-cloud-image.org/images/freebsd/11.2/freebsd-11.2.qcow2', 'freebsd121': 'https://bsd-cloud-image.org/images/freebsd/12.1/freebsd-12.1.qcow2', 'netbsd81': 'https://bsd-cloud-image.org/images/netbsd/8.1/netbsd-8.1.qcow2', 'netbsd90': 'https://bsd-cloud-image.org/images/netbsd/9.0/netbsd-9.0.qcow2', 'openbsd66': 'https://bsd-cloud-image.org/images/openbsd/6.6/openbsd-6.6.qcow2', 'openbsd67': 'https://bsd-cloud-image.org/images/openbsd/6.7/openbsd-6.7.qcow2', 'gentoo': 'https://gentoo.osuosl.org/experimental/amd64/openstack/gentoo-openstack-amd64-default-20180621.qcow2', 'opensuse': 'https://download.opensuse.org/repositories/Cloud:/Images:/Leap_15.2/images/openSUSE-Leap-15.2-OpenStack.x86_64.qcow2', 'rhcos41': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.1', 'rhcos42': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.2', 'rhcos43': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.3', 'rhcos44': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.4', 'rhcos45': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.5', 'rhcos46': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.6', 'rhcoslatest': 'https://releases-art-rhcos.svc.ci.openshift.org/art/storage/releases/rhcos-4.6', 'rhel7': 'https://access.redhat.com/downloads/content/69/ver=/rhel---7', 'rhel8': 'https://access.redhat.com/downloads/content/479/ver=/rhel---8', 'ubuntu1804': 'https://cloud-images.ubuntu.com/bionic/current/bionic-server-cloudimg-amd64.img', 'ubuntu1810': 'https://cloud-images.ubuntu.com/releases/cosmic/release-20190628/ubuntu-18.10-server-cloudimg-amd64.img', 'ubuntu1904': 'https://cloud-images.ubuntu.com/releases/disco/release/ubuntu-19.04-server-cloudimg-amd64.img', 'ubuntu1910': 'https://cloud-images.ubuntu.com/releases/eoan/release/ubuntu-19.10-server-cloudimg-amd64.img', 'ubuntu2004': 'https://cloud-images.ubuntu.com/focal/current/focal-server-cloudimg-amd64.img'}
imagescommands = {'debian8': 'echo datasource_list: [NoCloud, ConfigDrive, Openstack, Ec2] > /etc/cloud/cloud.cfg.d/90_dpkg.cfg'}
insecure = True
keys = []
cmds = []
scripts = []
files = []
dns = None
domain = None
iso = None
gateway = None
netmasks = []
sharedkey = False
enableroot = False
planview = False
privatekey = False
tags = []
networkwait = 0
rhnregister = False
rhnuser = None
rhnpassword = None
rhnak = None
rhnorg = None
rhnpool = None
flavor = None
keep_networks = False
dnsclient = None
store_metadata = False
notify = False
pushbullettoken = None
slacktoken = None
mailserver = None
mailfrom = None
mailto = []
notifycmd = None
notifyscript = None
slackchannel = None
notifymethods = ['pushbullet']
sharedfolders = []
kernel = None
initrd = None
cmdline = None
placement = []
yamlinventory = False
cpupinning = []
numamode = None
numa = []
pcidevices = []
tpm = False
rng = False
jenkinsmode = 'podman'
websockifycert = '-----BEGIN PRIVATE KEY-----\nMIIEvgIBADANBgkqhkiG9w0BAQEFAASCBKgwggSkAgEAAoIBAQC5gvbJA3nzoIEF\n5R+G3Vy1XwzKoGX7uoRPstBSgEQ967n7Y3WC3JT0r7Uq8Wyudm/8sEhK6PNFkarV\nzsRZrszUF/qvLzIAg8wc7c2q3jlD1nYG8U6ngnSgcJxJdGKdYDraXwCPAbNjRd+8\nKimOxGolOb57iWoZTwprNJ0B9gmfIo2i+f/rLlBJtOtITPypkt0GyRQaTD3zMEMd\nazJcy3wCj1RfZ97oG9C2h6rcA0P+NEUqwwnKL/dIaJl+SJRp9GXrrVhIx+rN+lnN\ndT6BzLEBGZ2IXG0Y6YxRDdMGMgVl2m78uMi0wxnOkAu7vg6jppqInNLakOexR0R4\nqp7W+OCnAgMBAAECggEAKc5CsSAQbn/AM8Tjqu/dwZ3O8ybcdLMeuBsy6TSwrEeg\nHO/X/oqZIt8p86h+dn6IVCih0gfXMtlV52L2SsOiszVIMAxxtz38VJSeoZ/8xbXh\n2USuFf/HKpTWE5Of2ZljCe0Y4iFe/MM1XWEfBmZrCUKPE6Xu/A8c6PXtYBDDMFIl\npuX8CtUDyvY3+mcprFM2z7bDLlwxAdBgfKAR84F3RazRB3KlgaqCR+KVrhVnFkBZ\nApWnkwGjxj8NrKj9JArGLwiTKeQg7w1jJGdPQwCDi14XZYFHsPEllQ3hBIJzOmAS\nvHkr6DdyT6L25UY6mYfjyJy2ZIqvUObCTkTgJJ4pyQKBgQDpb3qiPpEpHipod2w+\nvLmcGGnYX8K1ikplvUT1bPeRXZyzWEC3CHpK+8lktVNU3MRklyNaQJIR6P5iyP/c\nC46IyPHszYnHFHGwx+hG2Ibqd1RcfjOTz04Y4WxJB5APTB24aWTy09T5k48X+iu9\nIfeqxd9cdmKiLf6CDRxvUE4r1QKBgQDLcZNRY08fpc/mAV/4H3toOkiCwng10KZ0\nBZs2aM8i6CGbs7KAWy9Cm18sDW5Ffhy9oh7XnmVkaaULmrwdCrIGFLsR282c4izx\n3HHhfHOl6xri2xq8XwjMruzjELiIw2A8iZZssQxzV/sRHXjf9VMdcYGXlK3HrZOw\nZIg7qxjEiwKBgQDEtIzZVPHLfUDtIN0VDME3eRcQHrmbcrn4e4I1cao4U3Ltacu2\nsK0krIFrnKRo2VOhE/7VWZ38+6IJKij4isCEIRhDnHuiR2b6OapQsLsXrpBnFG1v\n+3tq2eH+tCG/0jslH6LSQJCx8pbc9JGQ4aOqwuzSJGw/D5TskBHK9xe4NQKBgQCQ\nFYUffDUaleWS4WBlq25MWBLowPBANODehOXzd/FTqJG841zFeU8UXlPeMDjr8LBM\nQdiUHvNyVTv15wXZj6ybj+0ZbdHGjY0FUno5F1oUpVjqWAEsbiYeSLku67W17qFm\n3o7xtca6nhILghMMkoPl83CzuTIGnFFf+SNfFwM4lwKBgFs5cPPw51YYwYDhhCqE\nEewsK2jgc1ZqIbrGA5CbtfMIc5rhTuuJ9aWfpfF/kgUp9ruVklMrEcdTtUWn/EDA\nerBsSfYdgXubBAajSxm3wFHk6bgGvKGT48++DnJWL+SFbmNhh5x9xRtMHR17K1nq\nKpxLjDMW1gGkb22ggyP5MnJz\n-----END PRIVATE KEY-----\n-----BEGIN CERTIFICATE-----\nMIIDIDCCAggCCQC/KT3ImT8lHTANBgkqhkiG9w0BAQsFADBSMQswCQYDVQQGEwJF\nUzEPMA0GA1UECAwGTWFkcmlkMQ8wDQYDVQQHDAZNYWRyaWQxEjAQBgNVBAoMCUth\ncm1hbGFiczENMAsGA1UEAwwEa2NsaTAeFw0xOTA5MzAxMzM2MTBaFw0yOTA5Mjcx\nMzM2MTBaMFIxCzAJBgNVBAYTAkVTMQ8wDQYDVQQIDAZNYWRyaWQxDzANBgNVBAcM\nBk1hZHJpZDESMBAGA1UECgwJS2FybWFsYWJzMQ0wCwYDVQQDDARrY2xpMIIBIjAN\nBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAuYL2yQN586CBBeUfht1ctV8MyqBl\n+7qET7LQUoBEPeu5+2N1gtyU9K+1KvFsrnZv/LBISujzRZGq1c7EWa7M1Bf6ry8y\nAIPMHO3Nqt45Q9Z2BvFOp4J0oHCcSXRinWA62l8AjwGzY0XfvCopjsRqJTm+e4lq\nGU8KazSdAfYJnyKNovn/6y5QSbTrSEz8qZLdBskUGkw98zBDHWsyXMt8Ao9UX2fe\n6BvQtoeq3AND/jRFKsMJyi/3SGiZfkiUafRl661YSMfqzfpZzXU+gcyxARmdiFxt\nGOmMUQ3TBjIFZdpu/LjItMMZzpALu74Oo6aaiJzS2pDnsUdEeKqe1vjgpwIDAQAB\nMA0GCSqGSIb3DQEBCwUAA4IBAQAs7eRc4sJ2qYPY/M8+Lb2lMh+qo6FAi34kJYbv\nxhnq61/dnBCPmk8JzOwBoPVREDBGmXktOwZb88t8agT/k+OKCCh8OOVa5+FafJ5j\nkShh+IkztEZr+rE6gnxdcvSzUhbfet97nPo/n5ZqtoqdSm7ajnI2iiTI+AXOJAeN\n0Y29Dubv9f0Vg4c0H1+qZl0uzLk3mooxyRD4qkhgtQJ8kElRCIjmceBkk+wKOnt/\noEO8BRcXIiXiQqW9KnF99fXOiQ/cKYh3kWBBPnuEOhC77Ke5aMlqMNOPULf3PMix\n2bqeJlbpLt7PkZBSawXeu6sAhRsqlpEmiPGn8ujH/oKwIAgm\n-----END CERTIFICATE-----'
virttype = None
zerotier_nets = []
zerotier_kubelet = False
metadata_fields = ['plan', 'image', 'profile', 'owner', 'dnsclient', 'domain', 'kube', 'kubetype', 'loadbalancer']
clientrules = []
cache = False |
f=open("./matrix.txt","r") #create the dictionary for the score
diz={}
matrix=[]
for line in f:
line=line.rstrip()
line=line.split()
matrix.append(line)
for i in range(len(matrix[0])):
for j in range(1,len(matrix)):
diz[matrix[0][i]+matrix[j][0]]=int(matrix[i+1][j])
mat=diz
seq1="ACACT"
seq2="AAT"
def score(s1,s2,S,d):
F=[]
trace_back=[]
m=len(s1)+1
n=len(s2)+1
F=[[0]*m for x in range(n)]
trace_back=[[0]*m for x in range(n)]
for i in range(len(F[0][:-1])):#initialize first row of the zero matrix with gaps (dall'inizio fino al penultimo)
F[0][i+1]=F[0][i]+d
trace_back[0][i+1]="L"
for i in range(len(F[:-1])):#initialize first column of the zero matrix with gaps (dall'inizio fino al penultimo)
F[i+1][0]=F[i][0]+d
trace_back[i+1][0]="U"
for i in range(1,n):#iteration based on the maximization of the value
for j in range(1,m):
diag=F[i-1][j-1]+S[s1[j-1]+s2[i-1]]#match
left=F[i][j-1]+d #gap in the second sequence
up=F[i-1][j]+d#gap in the first sequence
F[i][j]=max(diag,left,up)
#(2)crate trace back matrix
if F[i][j]==diag:
trace_back[i][j]="D"
elif F[i][j]==left:
trace_back[i][j]="L"
elif F[i][j]==up:
trace_back[i][j]="U"
al1=""
al2=""
c=""
j=len(s1)#5
i=len(s2)#4
while j>0 and i>0:
if trace_back[i][j]=="D":
al1+=s1[j-1]
al2+=s2[i-1]
j-=1
i-=1
elif trace_back[i][j]=="U":
al1+="-"
al2+=s2[i-1]
i-=1
elif trace_back[i][j]=="L":
al1+=s1[j-1]
al2+="-"
j-=1
al1=al1[::-1]
al2=al2[::-1]
for i in range(len(al1)):
if al1[i]=="-" or al2[i]=="-":
c+=" "
elif al1[i]==al2[i]:
c+="|"
elif al1[i]!=al2[i]:
c+="*"
return al1,al2,F[len(s2)][len(s1)],c,F
final_alignment=score(seq1,seq2,mat,-2)
print("The best alignment is:")
print(final_alignment[0])
print(final_alignment[4])
print(final_alignment[1])
print("The score of the alignment is: ",final_alignment[2])
| f = open('./matrix.txt', 'r')
diz = {}
matrix = []
for line in f:
line = line.rstrip()
line = line.split()
matrix.append(line)
for i in range(len(matrix[0])):
for j in range(1, len(matrix)):
diz[matrix[0][i] + matrix[j][0]] = int(matrix[i + 1][j])
mat = diz
seq1 = 'ACACT'
seq2 = 'AAT'
def score(s1, s2, S, d):
f = []
trace_back = []
m = len(s1) + 1
n = len(s2) + 1
f = [[0] * m for x in range(n)]
trace_back = [[0] * m for x in range(n)]
for i in range(len(F[0][:-1])):
F[0][i + 1] = F[0][i] + d
trace_back[0][i + 1] = 'L'
for i in range(len(F[:-1])):
F[i + 1][0] = F[i][0] + d
trace_back[i + 1][0] = 'U'
for i in range(1, n):
for j in range(1, m):
diag = F[i - 1][j - 1] + S[s1[j - 1] + s2[i - 1]]
left = F[i][j - 1] + d
up = F[i - 1][j] + d
F[i][j] = max(diag, left, up)
if F[i][j] == diag:
trace_back[i][j] = 'D'
elif F[i][j] == left:
trace_back[i][j] = 'L'
elif F[i][j] == up:
trace_back[i][j] = 'U'
al1 = ''
al2 = ''
c = ''
j = len(s1)
i = len(s2)
while j > 0 and i > 0:
if trace_back[i][j] == 'D':
al1 += s1[j - 1]
al2 += s2[i - 1]
j -= 1
i -= 1
elif trace_back[i][j] == 'U':
al1 += '-'
al2 += s2[i - 1]
i -= 1
elif trace_back[i][j] == 'L':
al1 += s1[j - 1]
al2 += '-'
j -= 1
al1 = al1[::-1]
al2 = al2[::-1]
for i in range(len(al1)):
if al1[i] == '-' or al2[i] == '-':
c += ' '
elif al1[i] == al2[i]:
c += '|'
elif al1[i] != al2[i]:
c += '*'
return (al1, al2, F[len(s2)][len(s1)], c, F)
final_alignment = score(seq1, seq2, mat, -2)
print('The best alignment is:')
print(final_alignment[0])
print(final_alignment[4])
print(final_alignment[1])
print('The score of the alignment is: ', final_alignment[2]) |
# Set this to your GitHub auth token
GitHubAuthToken = 'add_here_your_token'
# Set this to the path of the git executable
gitExecutablePath = 'git'
# Set this to true to download also private repos if the token has private repo rights
include_private_repos = False
# Set this to False to skip existing repos
update_existing_repos = True
# Set to 0 for no messages, 1 for simple messages, and 2 for progress bars
verbose = 1
# Select how to write to disk (or how to send queries to the database)
always_write_to_disk = True
# Change these settings to store data in disk/database
use_database = 'disk' # (available options: disk, mongo)
# Disk settings
dataFolderPath = 'data' # Set this to the folder where data are downloaded
# Database settings
database_host_and_port = "mongodb://localhost:27017/" # change this to the hostname and port of your database
num_bulk_operations = 1000 # set the number of operations that are sent as a bulk to the database
# Select what to download
download_issues = True
download_issue_comments = True
download_issue_events = True
download_commits = True
download_commit_comments = True
download_contributors = True
download_source_code = False
# Select whether the downloaded issues and commits information will be full
download_issues_full = True
download_commits_full = True
| git_hub_auth_token = 'add_here_your_token'
git_executable_path = 'git'
include_private_repos = False
update_existing_repos = True
verbose = 1
always_write_to_disk = True
use_database = 'disk'
data_folder_path = 'data'
database_host_and_port = 'mongodb://localhost:27017/'
num_bulk_operations = 1000
download_issues = True
download_issue_comments = True
download_issue_events = True
download_commits = True
download_commit_comments = True
download_contributors = True
download_source_code = False
download_issues_full = True
download_commits_full = True |
# Copyright (c) 2012 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
{
'includes': [
'../../../build/common.gypi',
],
'variables': {
'irt_sources': [
# irt_support_sources
'irt_entry.c',
'irt_interfaces.c',
'irt_malloc.c',
'irt_private_pthread.c',
'irt_private_tls.c',
'irt_query_list.c',
# irt_common_interfaces
'irt_basic.c',
'irt_code_data_alloc.c',
'irt_fdio.c',
'irt_filename.c',
'irt_memory.c',
'irt_dyncode.c',
'irt_thread.c',
'irt_futex.c',
'irt_mutex.c',
'irt_cond.c',
'irt_sem.c',
'irt_tls.c',
'irt_blockhook.c',
'irt_clock.c',
'irt_dev_getpid.c',
'irt_exception_handling.c',
'irt_dev_list_mappings.c',
'irt_random.c',
# support_srcs
# We also get nc_init_private.c, nc_thread.c and nc_tsd.c via
# #includes of .c files.
'../pthread/nc_mutex.c',
'../pthread/nc_condvar.c',
'../nacl/sys_private.c',
'../valgrind/dynamic_annotations.c',
],
# On x86-64 we build the IRT with sandbox base-address hiding. This means that
# all of its components must be built with LLVM's assembler. Currently the
# unwinder library is built with nacl-gcc and so does not use base address
# hiding. The IRT does not use exceptions, so we do not actually need the
# unwinder at all. To prevent it from being linked into the IRT, we provide
# stub implementations of its functions that are referenced from libc++abi
# (which is build with exception handling enabled) and from crtbegin.c.
'stub_sources': [
'../../../pnacl/support/bitcode/unwind_stubs.c',
'frame_info_stubs.c',
],
'irt_nonbrowser': [
'irt_core_resource.c',
'irt_entry_core.c',
'irt_pnacl_translator_common.c',
'irt_pnacl_translator_compile.c',
'irt_pnacl_translator_link.c',
],
},
'targets': [
{
'target_name': 'irt_core_nexe',
'type': 'none',
'variables': {
'nexe_target': 'irt_core',
'build_glibc': 0,
'build_newlib': 0,
'build_irt': 1,
},
'sources': ['<@(irt_nonbrowser)'],
'link_flags': [
'-Wl,--start-group',
'-lirt_browser',
'-limc_syscalls',
'-lplatform',
'-lgio',
'-Wl,--end-group',
'-lm',
],
'dependencies': [
'irt_browser_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/tools/tls_edit/tls_edit.gyp:tls_edit#host',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_lib_newlib',
],
},
{
'target_name': 'irt_browser_lib',
'type': 'none',
'variables': {
'nlib_target': 'libirt_browser.a',
'build_glibc': 0,
'build_newlib': 0,
'build_irt': 1,
},
'sources': ['<@(irt_sources)','<@(stub_sources)'],
'dependencies': [
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_lib_newlib',
],
},
],
}
| {'includes': ['../../../build/common.gypi'], 'variables': {'irt_sources': ['irt_entry.c', 'irt_interfaces.c', 'irt_malloc.c', 'irt_private_pthread.c', 'irt_private_tls.c', 'irt_query_list.c', 'irt_basic.c', 'irt_code_data_alloc.c', 'irt_fdio.c', 'irt_filename.c', 'irt_memory.c', 'irt_dyncode.c', 'irt_thread.c', 'irt_futex.c', 'irt_mutex.c', 'irt_cond.c', 'irt_sem.c', 'irt_tls.c', 'irt_blockhook.c', 'irt_clock.c', 'irt_dev_getpid.c', 'irt_exception_handling.c', 'irt_dev_list_mappings.c', 'irt_random.c', '../pthread/nc_mutex.c', '../pthread/nc_condvar.c', '../nacl/sys_private.c', '../valgrind/dynamic_annotations.c'], 'stub_sources': ['../../../pnacl/support/bitcode/unwind_stubs.c', 'frame_info_stubs.c'], 'irt_nonbrowser': ['irt_core_resource.c', 'irt_entry_core.c', 'irt_pnacl_translator_common.c', 'irt_pnacl_translator_compile.c', 'irt_pnacl_translator_link.c']}, 'targets': [{'target_name': 'irt_core_nexe', 'type': 'none', 'variables': {'nexe_target': 'irt_core', 'build_glibc': 0, 'build_newlib': 0, 'build_irt': 1}, 'sources': ['<@(irt_nonbrowser)'], 'link_flags': ['-Wl,--start-group', '-lirt_browser', '-limc_syscalls', '-lplatform', '-lgio', '-Wl,--end-group', '-lm'], 'dependencies': ['irt_browser_lib', '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib', '<(DEPTH)/native_client/src/tools/tls_edit/tls_edit.gyp:tls_edit#host', '<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib', '<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_lib_newlib']}, {'target_name': 'irt_browser_lib', 'type': 'none', 'variables': {'nlib_target': 'libirt_browser.a', 'build_glibc': 0, 'build_newlib': 0, 'build_irt': 1}, 'sources': ['<@(irt_sources)', '<@(stub_sources)'], 'dependencies': ['<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_lib_newlib']}]} |
'''
Given an integer (signed 32 bits), write a function to check whether it is a power of 4.
Example:
Given num = 16, return true. Given num = 5, return false.
Follow up: Could you solve it without loops/recursion?
Credits:
Special thanks to @yukuairoy for adding this problem and creating all test cases.
'''
class Solution(object):
def isPowerOfFour(self, num):
"""
:type num: int
:rtype: bool
"""
if num < 1:
return False
while num > 1:
if num % 4 != 0:
return False
num //= 4
return True
| """
Given an integer (signed 32 bits), write a function to check whether it is a power of 4.
Example:
Given num = 16, return true. Given num = 5, return false.
Follow up: Could you solve it without loops/recursion?
Credits:
Special thanks to @yukuairoy for adding this problem and creating all test cases.
"""
class Solution(object):
def is_power_of_four(self, num):
"""
:type num: int
:rtype: bool
"""
if num < 1:
return False
while num > 1:
if num % 4 != 0:
return False
num //= 4
return True |
# b1 - bought stock once
# s1 - bought stock and then sold once
# b2 - bought stock the second time
# s2 - bought and sold twice
class Solution:
def maxProfit(self, prices: List[int]) -> int:
b1 = s1 = b2 = s2 = float('-inf')
for p in prices:
b1, s1, b2, s2 = max(b1, - p), max(s1, b1 + p), max(b2, s1 - p), max(s2, b2 + p)
return max(0, s1, s2) | class Solution:
def max_profit(self, prices: List[int]) -> int:
b1 = s1 = b2 = s2 = float('-inf')
for p in prices:
(b1, s1, b2, s2) = (max(b1, -p), max(s1, b1 + p), max(b2, s1 - p), max(s2, b2 + p))
return max(0, s1, s2) |
load("//:import_external.bzl", import_external = "safe_wix_scala_maven_import_external")
def dependencies():
import_external(
name = "org_apache_kafka_kafka_2_12",
artifact = "org.apache.kafka:kafka_2.12:1.1.1",
artifact_sha256 = "d7b77e3b150519724d542dfb5da1584b9cba08fb1272ff1e3b3d735937e22632",
srcjar_sha256 = "2a1a9ed91ad065bf62be64dbb4fd5e552ff90c42fc07e67ace4f82413304c3dd",
deps = [
"@com_101tec_zkclient",
"@com_fasterxml_jackson_core_jackson_databind",
"@com_typesafe_scala_logging_scala_logging_2_12",
"@com_yammer_metrics_metrics_core",
"@net_sf_jopt_simple_jopt_simple",
"@org_apache_kafka_kafka_clients",
"@org_apache_zookeeper_zookeeper",
"@org_scala_lang_scala_library",
"@org_scala_lang_scala_reflect",
"@org_slf4j_slf4j_api"
],
excludes = [
"org.slf4j:slf4j-log4j12",
"log4j:log4j",
],
)
| load('//:import_external.bzl', import_external='safe_wix_scala_maven_import_external')
def dependencies():
import_external(name='org_apache_kafka_kafka_2_12', artifact='org.apache.kafka:kafka_2.12:1.1.1', artifact_sha256='d7b77e3b150519724d542dfb5da1584b9cba08fb1272ff1e3b3d735937e22632', srcjar_sha256='2a1a9ed91ad065bf62be64dbb4fd5e552ff90c42fc07e67ace4f82413304c3dd', deps=['@com_101tec_zkclient', '@com_fasterxml_jackson_core_jackson_databind', '@com_typesafe_scala_logging_scala_logging_2_12', '@com_yammer_metrics_metrics_core', '@net_sf_jopt_simple_jopt_simple', '@org_apache_kafka_kafka_clients', '@org_apache_zookeeper_zookeeper', '@org_scala_lang_scala_library', '@org_scala_lang_scala_reflect', '@org_slf4j_slf4j_api'], excludes=['org.slf4j:slf4j-log4j12', 'log4j:log4j']) |
input = """AlphaCentauri to Snowdin = 66
AlphaCentauri to Tambi = 28
AlphaCentauri to Faerun = 60
AlphaCentauri to Norrath = 34
AlphaCentauri to Straylight = 34
AlphaCentauri to Tristram = 3
AlphaCentauri to Arbre = 108
Snowdin to Tambi = 22
Snowdin to Faerun = 12
Snowdin to Norrath = 91
Snowdin to Straylight = 121
Snowdin to Tristram = 111
Snowdin to Arbre = 71
Tambi to Faerun = 39
Tambi to Norrath = 113
Tambi to Straylight = 130
Tambi to Tristram = 35
Tambi to Arbre = 40
Faerun to Norrath = 63
Faerun to Straylight = 21
Faerun to Tristram = 57
Faerun to Arbre = 83
Norrath to Straylight = 9
Norrath to Tristram = 50
Norrath to Arbre = 60
Straylight to Tristram = 27
Straylight to Arbre = 81
Tristram to Arbre = 90"""
best_path = 0
mapping = {}
nodes = set()
def visit_next(current_path_length, last, unvisited):
global best_path
if len(unvisited) == 0:
if current_path_length > best_path:
best_path = current_path_length
return
for next in unvisited:
visit_next(
current_path_length + mapping[(last, next)],
next,
{ u for u in unvisited if u != next }
)
def visit_first(start):
unvisited = { u for u in nodes if u != start }
visit_next(0, start, unvisited)
for line in input.split("\n"):
direction, dist = line.split("=")
a, b = direction.split("to")
mapping[(a.strip(), b.strip())] = int(dist.strip())
mapping[(b.strip(), a.strip())] = int(dist.strip())
nodes.add(a.strip())
nodes.add(b.strip())
for node in nodes:
visit_first(node)
print(best_path) | input = 'AlphaCentauri to Snowdin = 66\nAlphaCentauri to Tambi = 28\nAlphaCentauri to Faerun = 60\nAlphaCentauri to Norrath = 34\nAlphaCentauri to Straylight = 34\nAlphaCentauri to Tristram = 3\nAlphaCentauri to Arbre = 108\nSnowdin to Tambi = 22\nSnowdin to Faerun = 12\nSnowdin to Norrath = 91\nSnowdin to Straylight = 121\nSnowdin to Tristram = 111\nSnowdin to Arbre = 71\nTambi to Faerun = 39\nTambi to Norrath = 113\nTambi to Straylight = 130\nTambi to Tristram = 35\nTambi to Arbre = 40\nFaerun to Norrath = 63\nFaerun to Straylight = 21\nFaerun to Tristram = 57\nFaerun to Arbre = 83\nNorrath to Straylight = 9\nNorrath to Tristram = 50\nNorrath to Arbre = 60\nStraylight to Tristram = 27\nStraylight to Arbre = 81\nTristram to Arbre = 90'
best_path = 0
mapping = {}
nodes = set()
def visit_next(current_path_length, last, unvisited):
global best_path
if len(unvisited) == 0:
if current_path_length > best_path:
best_path = current_path_length
return
for next in unvisited:
visit_next(current_path_length + mapping[last, next], next, {u for u in unvisited if u != next})
def visit_first(start):
unvisited = {u for u in nodes if u != start}
visit_next(0, start, unvisited)
for line in input.split('\n'):
(direction, dist) = line.split('=')
(a, b) = direction.split('to')
mapping[a.strip(), b.strip()] = int(dist.strip())
mapping[b.strip(), a.strip()] = int(dist.strip())
nodes.add(a.strip())
nodes.add(b.strip())
for node in nodes:
visit_first(node)
print(best_path) |
(_, d) = tuple(map(int, input().strip().split(' ')))
arr = list(map(int, input().strip().split(' ')))
new_arr = arr[d:] + arr[:d]
print(' '.join(map(str, new_arr)))
| (_, d) = tuple(map(int, input().strip().split(' ')))
arr = list(map(int, input().strip().split(' ')))
new_arr = arr[d:] + arr[:d]
print(' '.join(map(str, new_arr))) |
class DebugConfig:
# base
SECRET_KEY = b'IL_PROGRAMMATORE_RESPONSABILE_MI_CAMBIERA! OVVIO AMO!'
SERVER_NAME = 'localhost:5000'
# database
MYSQL_DATABASE_HOST = 'localhost'
MYSQL_DATABASE_PORT = 3306
MYSQL_DATABASE_USER = 'root'
MYSQL_DATABASE_PASSWORD = ''
MYSQL_DATABASE_DB = 'ingegneria'
#bcrypt
BCRYPT_HANDLE_LONG_PASSWORDS = True
| class Debugconfig:
secret_key = b'IL_PROGRAMMATORE_RESPONSABILE_MI_CAMBIERA! OVVIO AMO!'
server_name = 'localhost:5000'
mysql_database_host = 'localhost'
mysql_database_port = 3306
mysql_database_user = 'root'
mysql_database_password = ''
mysql_database_db = 'ingegneria'
bcrypt_handle_long_passwords = True |
# Exercise 1: Squaring Numbers
numbers = [1,1,2,3,5,8,13,21,34,55]
squared_numbers = [number**2 for number in numbers]
print(squared_numbers) | numbers = [1, 1, 2, 3, 5, 8, 13, 21, 34, 55]
squared_numbers = [number ** 2 for number in numbers]
print(squared_numbers) |
LIST_ALGORITHMS_TOPIC = 'list_algorithms'
SET_ALGORITHM_TOPIC = 'set_algorithm'
GET_SAMPLE_LIST_TOPIC = 'get_sample_list'
TAKE_SAMPLE_TOPIC = 'take_sample'
REMOVE_SAMPLE_TOPIC = 'remove_sample'
COMPUTE_CALIBRATION_TOPIC = 'compute_calibration'
SAVE_CALIBRATION_TOPIC = 'save_calibration'
CHECK_STARTING_POSE_TOPIC = 'check_starting_pose'
ENUMERATE_TARGET_POSES_TOPIC = 'enumerate_target_poses'
SELECT_TARGET_POSE_TOPIC = 'select_target_pose'
PLAN_TO_SELECTED_TARGET_POSE_TOPIC = 'plan_to_selected_target_pose'
EXECUTE_PLAN_TOPIC = 'execute_plan'
| list_algorithms_topic = 'list_algorithms'
set_algorithm_topic = 'set_algorithm'
get_sample_list_topic = 'get_sample_list'
take_sample_topic = 'take_sample'
remove_sample_topic = 'remove_sample'
compute_calibration_topic = 'compute_calibration'
save_calibration_topic = 'save_calibration'
check_starting_pose_topic = 'check_starting_pose'
enumerate_target_poses_topic = 'enumerate_target_poses'
select_target_pose_topic = 'select_target_pose'
plan_to_selected_target_pose_topic = 'plan_to_selected_target_pose'
execute_plan_topic = 'execute_plan' |
# Time: O(n)
# Space: O(n)
# Definition for singly-linked list.
class ListNode(object):
def __init__(self, x):
self.val = x
self.next = None
class Solution(object):
def nextLargerNodes(self, head):
"""
:type head: ListNode
:rtype: List[int]
"""
result, stk = [], []
while head:
while stk and stk[-1][1] < head.val:
result[stk.pop()[0]] = head.val
stk.append([len(result), head.val])
result.append(0)
head = head.next
return result
| class Listnode(object):
def __init__(self, x):
self.val = x
self.next = None
class Solution(object):
def next_larger_nodes(self, head):
"""
:type head: ListNode
:rtype: List[int]
"""
(result, stk) = ([], [])
while head:
while stk and stk[-1][1] < head.val:
result[stk.pop()[0]] = head.val
stk.append([len(result), head.val])
result.append(0)
head = head.next
return result |
"""
Here: https://leetcode.com/problems/3sum/
Given an integer array nums, return all the triplets [nums[i], nums[j], nums[k]] such that i != j, i != k, and j != k, and nums[i] + nums[j] + nums[k] == 0.
Notice that the solution set must not contain duplicate triplets.
"""
def threeSum(nums):
result = set()
for i in range(len(nums)):
d = {}
for j in range(i+1, len(nums)):
diff = 0 - (nums[i] + nums[j])
if diff in d:
result.add(tuple(sorted((nums[i], nums[j], diff))))
d[nums[j]] = (nums[i], diff)
return result
if __name__ == "__main__":
# taking the input
nums = list(map(int, input("Enter the score board: ").split()))
print(threeSum(nums))
"""
Input: nums = [-1,0,1,2,-1,-4]
Output: [[-1,-1,2],[-1,0,1]]
"""
| """
Here: https://leetcode.com/problems/3sum/
Given an integer array nums, return all the triplets [nums[i], nums[j], nums[k]] such that i != j, i != k, and j != k, and nums[i] + nums[j] + nums[k] == 0.
Notice that the solution set must not contain duplicate triplets.
"""
def three_sum(nums):
result = set()
for i in range(len(nums)):
d = {}
for j in range(i + 1, len(nums)):
diff = 0 - (nums[i] + nums[j])
if diff in d:
result.add(tuple(sorted((nums[i], nums[j], diff))))
d[nums[j]] = (nums[i], diff)
return result
if __name__ == '__main__':
nums = list(map(int, input('Enter the score board: ').split()))
print(three_sum(nums))
'\n\n\nInput: nums = [-1,0,1,2,-1,-4]\nOutput: [[-1,-1,2],[-1,0,1]]\n\n' |
items = [{'id': 1, 'name': 'laptop', 'value': 1000},
{'id': 2, 'name': 'chair', 'value': 300},
{'id': 3, 'name': 'book', 'value': 20}]
def duplicate_items(items):
return [{key: value for key, value in x.items()} for x in items]
| items = [{'id': 1, 'name': 'laptop', 'value': 1000}, {'id': 2, 'name': 'chair', 'value': 300}, {'id': 3, 'name': 'book', 'value': 20}]
def duplicate_items(items):
return [{key: value for (key, value) in x.items()} for x in items] |
DEPS = [
'recipe_engine/path',
'recipe_engine/properties',
'recipe_engine/python',
'recipe_engine/step',
]
# TODO(phajdan.jr): provide coverage (http://crbug.com/693058).
DISABLE_STRICT_COVERAGE = True
| deps = ['recipe_engine/path', 'recipe_engine/properties', 'recipe_engine/python', 'recipe_engine/step']
disable_strict_coverage = True |
{
'name': 'eCommerce',
'category': 'Website/Website',
'sequence': 55,
'summary': 'Sell your products online',
'website': 'https://www.odoo.com/page/e-commerce',
'version': '1.0',
'description': "",
'depends': ['website', 'sale', 'website_payment', 'website_mail', 'website_form', 'website_rating', 'digest'],
'data': [
'security/ir.model.access.csv',
'security/website_sale.xml',
'data/data.xml',
'data/mail_template_data.xml',
'data/digest_data.xml',
'views/product_views.xml',
'views/account_views.xml',
'views/onboarding_views.xml',
'views/sale_report_views.xml',
'views/sale_order_views.xml',
'views/crm_team_views.xml',
'views/templates.xml',
'views/snippets.xml',
'views/res_config_settings_views.xml',
'views/digest_views.xml',
'views/website_sale_visitor_views.xml',
],
'demo': [
'data/demo.xml',
],
'qweb': ['static/src/xml/*.xml'],
'installable': True,
'application': True,
'uninstall_hook': 'uninstall_hook',
}
| {'name': 'eCommerce', 'category': 'Website/Website', 'sequence': 55, 'summary': 'Sell your products online', 'website': 'https://www.odoo.com/page/e-commerce', 'version': '1.0', 'description': '', 'depends': ['website', 'sale', 'website_payment', 'website_mail', 'website_form', 'website_rating', 'digest'], 'data': ['security/ir.model.access.csv', 'security/website_sale.xml', 'data/data.xml', 'data/mail_template_data.xml', 'data/digest_data.xml', 'views/product_views.xml', 'views/account_views.xml', 'views/onboarding_views.xml', 'views/sale_report_views.xml', 'views/sale_order_views.xml', 'views/crm_team_views.xml', 'views/templates.xml', 'views/snippets.xml', 'views/res_config_settings_views.xml', 'views/digest_views.xml', 'views/website_sale_visitor_views.xml'], 'demo': ['data/demo.xml'], 'qweb': ['static/src/xml/*.xml'], 'installable': True, 'application': True, 'uninstall_hook': 'uninstall_hook'} |
# -*- coding: utf-8 -*-
# @Author: Zeyuan Shang
# @Date: 2016-03-09 22:56:44
# @Last Modified by: Zeyuan Shang
# @Last Modified time: 2016-03-09 22:56:54
class Solution(object):
def minPatches(self, nums, n):
"""
:type nums: List[int]
:type n: int
:rtype: int
"""
index, right, ans = 0, 1, 0
size = len(nums)
sorted_nums = sorted(nums)
while right <= n:
if index < size and sorted_nums[index] <= right:
right += sorted_nums[index]
index += 1
else:
right <<= 1
ans += 1
return ans
| class Solution(object):
def min_patches(self, nums, n):
"""
:type nums: List[int]
:type n: int
:rtype: int
"""
(index, right, ans) = (0, 1, 0)
size = len(nums)
sorted_nums = sorted(nums)
while right <= n:
if index < size and sorted_nums[index] <= right:
right += sorted_nums[index]
index += 1
else:
right <<= 1
ans += 1
return ans |
class Bola:
def __init__(self, cor, circunferencia, material):
self.cor = cor
self.circunferencia = circunferencia
self.material = material
def troca_cor(self, n_cor):
self.cor = n_cor
def mostrar_cor(self):
return self.cor
bola = Bola('preta', 25,'couro')
print(bola.mostrar_cor())
bola.troca_cor('verde')
print(bola.mostrar_cor())
| class Bola:
def __init__(self, cor, circunferencia, material):
self.cor = cor
self.circunferencia = circunferencia
self.material = material
def troca_cor(self, n_cor):
self.cor = n_cor
def mostrar_cor(self):
return self.cor
bola = bola('preta', 25, 'couro')
print(bola.mostrar_cor())
bola.troca_cor('verde')
print(bola.mostrar_cor()) |
soma = 0
for i in range(100):
num = i + 1
print(num)
soma += num ** 2
print(soma)
| soma = 0
for i in range(100):
num = i + 1
print(num)
soma += num ** 2
print(soma) |
# Created by MechAviv
# Dice Master Damage Skin | (2437274)
if sm.addDamageSkin(2437274):
sm.chat("'Dice Master Damage Skin' Damage Skin has been added to your account's damage skin collection.")
sm.consumeItem() | if sm.addDamageSkin(2437274):
sm.chat("'Dice Master Damage Skin' Damage Skin has been added to your account's damage skin collection.")
sm.consumeItem() |
BUF_SIZE = 1024
ENABLE_DEBUG = True
IP_ADDR = '127.0.0.1'
REQ_NET_NAME = '/api/netname/'
REQ_IXP_NETS = '/api/ixnets/'
REQ_IXPS = '/api/ix/'
def printDebug(dbgMsg):
'''
Funcao auxiliar para depuracao.
'''
if ENABLE_DEBUG:
print('[dbg]', dbgMsg)
| buf_size = 1024
enable_debug = True
ip_addr = '127.0.0.1'
req_net_name = '/api/netname/'
req_ixp_nets = '/api/ixnets/'
req_ixps = '/api/ix/'
def print_debug(dbgMsg):
"""
Funcao auxiliar para depuracao.
"""
if ENABLE_DEBUG:
print('[dbg]', dbgMsg) |
# Copyright (c) 2019-present, Facebook, Inc.
# All rights reserved.
#
# This source code is licensed under the license found in the
# LICENSE file in the root directory of this source tree.
#
def f_gold ( s , c ) :
oneSeen = False
i = 0
n = len ( s )
while ( i < n ) :
if ( s [ i ] == c ) :
if ( oneSeen == True ) :
return False
while ( i < n and s [ i ] == c ) :
i = i + 1
oneSeen = True
else :
i = i + 1
return True
#TOFILL
if __name__ == '__main__':
param = [
('gILrzLimS','m',),
('307471222','2',),
('110','0',),
('GcAB','v',),
('113','3',),
('011110010','0',),
('wcwob','w',),
('74571582216153','1',),
('100000011','0',),
('ryPErkzY','q',)
]
n_success = 0
for i, parameters_set in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success+=1
print("#Results: %i, %i" % (n_success, len(param))) | def f_gold(s, c):
one_seen = False
i = 0
n = len(s)
while i < n:
if s[i] == c:
if oneSeen == True:
return False
while i < n and s[i] == c:
i = i + 1
one_seen = True
else:
i = i + 1
return True
if __name__ == '__main__':
param = [('gILrzLimS', 'm'), ('307471222', '2'), ('110', '0'), ('GcAB', 'v'), ('113', '3'), ('011110010', '0'), ('wcwob', 'w'), ('74571582216153', '1'), ('100000011', '0'), ('ryPErkzY', 'q')]
n_success = 0
for (i, parameters_set) in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success += 1
print('#Results: %i, %i' % (n_success, len(param))) |
"""
The rust_toolchain rule definition and implementation.
"""
def _rust_toolchain_impl(ctx):
compilation_mode_opts = {}
for k, v in ctx.attr.opt_level.items():
if not k in ctx.attr.debug_info:
fail("Compilation mode {} is not defined in debug_info but is defined opt_level".format(k))
compilation_mode_opts[k] = struct(debug_info = ctx.attr.debug_info[k], opt_level = v)
for k, v in ctx.attr.debug_info.items():
if not k in ctx.attr.opt_level:
fail("Compilation mode {} is not defined in opt_level but is defined debug_info".format(k))
toolchain = platform_common.ToolchainInfo(
rustc = ctx.file.rustc,
rust_doc = ctx.file.rust_doc,
rustc_lib = ctx.attr.rustc_lib,
rust_lib = ctx.attr.rust_lib,
staticlib_ext = ctx.attr.staticlib_ext,
dylib_ext = ctx.attr.dylib_ext,
target_triple = ctx.attr.target_triple,
exec_triple = ctx.attr.exec_triple,
os = ctx.attr.os,
default_edition = ctx.attr.default_edition,
compilation_mode_opts = compilation_mode_opts,
crosstool_files = ctx.files._crosstool,
)
return [toolchain]
rust_toolchain = rule(
_rust_toolchain_impl,
attrs = {
"rustc": attr.label(
doc = "The rustc executable.",
allow_single_file = True,
),
"rust_doc": attr.label(
doc = "The rustdoc executable.",
allow_single_file = True,
),
"rustc_lib": attr.label(
doc = "Libraries used by rustc at runtime.",
),
"rust_lib": attr.label(
doc = "The rust standard library.",
),
"staticlib_ext": attr.string(mandatory = True),
"dylib_ext": attr.string(mandatory = True),
"os": attr.string(mandatory = True),
"default_edition": attr.string(
doc = "The edition to use for rust_* rules that don't specify an edition.",
default = "2015",
),
"exec_triple": attr.string(),
"target_triple": attr.string(),
"_crosstool": attr.label(
default = Label("@bazel_tools//tools/cpp:current_cc_toolchain"),
),
"opt_level": attr.string_dict(default = {
"opt": "3",
"dbg": "0",
"fastbuild": "0",
}),
"debug_info": attr.string_dict(default = {
"opt": "0",
"dbg": "2",
"fastbuild": "0",
}),
},
)
"""Declares a Rust toolchain for use.
This is used when porting the rust_rules to a new platform.
Args:
name: The name of the toolchain instance.
rustc: The location of the `rustc` binary. Can be a direct source or a filegroup containing one
item.
rustdoc: The location of the `rustdoc` binary. Can be a direct source or a filegroup containing
one item.
rustc_lib: The libraries used by rustc.
rust_lib: The libraries used by rustc.
Example:
Suppose the core rust team has ported the compiler to a new target CPU, called `cpuX`. This
support can be used in Bazel by defining a new toolchain definition and declaration:
```
load('@io_bazel_rules_rust//rust:toolchain.bzl', 'rust_toolchain')
toolchain(
name = "rust_cpuX",
exec_compatible_with = [
"@bazel_tools//platforms:cpuX",
],
target_compatible_with = [
"@bazel_tools//platforms:cpuX",
],
toolchain = ":rust_cpuX_impl",
)
rust_toolchain(
name = "rust_cpuX_impl",
rustc = "@rust_cpuX//:rustc",
rustc_lib = "@rust_cpuX//:rustc_lib",
rust_lib = "@rust_cpuX//:rust_lib",
rust_doc = "@rust_cpuX//:rustdoc",
staticlib_ext = ".a",
dylib_ext = ".so",
os = "linux",
)
```
Then, either add the label of the toolchain rule to register_toolchains in the WORKSPACE, or pass
it to the "--extra_toolchains" flag for Bazel, and it will be used.
See @io_bazel_rules_rust//rust:repositories.bzl for examples of defining the @rust_cpuX repository
with the actual binaries and libraries.
"""
| """
The rust_toolchain rule definition and implementation.
"""
def _rust_toolchain_impl(ctx):
compilation_mode_opts = {}
for (k, v) in ctx.attr.opt_level.items():
if not k in ctx.attr.debug_info:
fail('Compilation mode {} is not defined in debug_info but is defined opt_level'.format(k))
compilation_mode_opts[k] = struct(debug_info=ctx.attr.debug_info[k], opt_level=v)
for (k, v) in ctx.attr.debug_info.items():
if not k in ctx.attr.opt_level:
fail('Compilation mode {} is not defined in opt_level but is defined debug_info'.format(k))
toolchain = platform_common.ToolchainInfo(rustc=ctx.file.rustc, rust_doc=ctx.file.rust_doc, rustc_lib=ctx.attr.rustc_lib, rust_lib=ctx.attr.rust_lib, staticlib_ext=ctx.attr.staticlib_ext, dylib_ext=ctx.attr.dylib_ext, target_triple=ctx.attr.target_triple, exec_triple=ctx.attr.exec_triple, os=ctx.attr.os, default_edition=ctx.attr.default_edition, compilation_mode_opts=compilation_mode_opts, crosstool_files=ctx.files._crosstool)
return [toolchain]
rust_toolchain = rule(_rust_toolchain_impl, attrs={'rustc': attr.label(doc='The rustc executable.', allow_single_file=True), 'rust_doc': attr.label(doc='The rustdoc executable.', allow_single_file=True), 'rustc_lib': attr.label(doc='Libraries used by rustc at runtime.'), 'rust_lib': attr.label(doc='The rust standard library.'), 'staticlib_ext': attr.string(mandatory=True), 'dylib_ext': attr.string(mandatory=True), 'os': attr.string(mandatory=True), 'default_edition': attr.string(doc="The edition to use for rust_* rules that don't specify an edition.", default='2015'), 'exec_triple': attr.string(), 'target_triple': attr.string(), '_crosstool': attr.label(default=label('@bazel_tools//tools/cpp:current_cc_toolchain')), 'opt_level': attr.string_dict(default={'opt': '3', 'dbg': '0', 'fastbuild': '0'}), 'debug_info': attr.string_dict(default={'opt': '0', 'dbg': '2', 'fastbuild': '0'})})
'Declares a Rust toolchain for use.\n\nThis is used when porting the rust_rules to a new platform.\n\nArgs:\n name: The name of the toolchain instance.\n rustc: The location of the `rustc` binary. Can be a direct source or a filegroup containing one\n item.\n rustdoc: The location of the `rustdoc` binary. Can be a direct source or a filegroup containing\n one item.\n rustc_lib: The libraries used by rustc.\n rust_lib: The libraries used by rustc.\n\nExample:\n Suppose the core rust team has ported the compiler to a new target CPU, called `cpuX`. This\n support can be used in Bazel by defining a new toolchain definition and declaration:\n ```\n load(\'@io_bazel_rules_rust//rust:toolchain.bzl\', \'rust_toolchain\')\n\n toolchain(\n name = "rust_cpuX",\n exec_compatible_with = [\n "@bazel_tools//platforms:cpuX",\n ],\n target_compatible_with = [\n "@bazel_tools//platforms:cpuX",\n ],\n toolchain = ":rust_cpuX_impl",\n )\n\n rust_toolchain(\n name = "rust_cpuX_impl",\n rustc = "@rust_cpuX//:rustc",\n rustc_lib = "@rust_cpuX//:rustc_lib",\n rust_lib = "@rust_cpuX//:rust_lib",\n rust_doc = "@rust_cpuX//:rustdoc",\n staticlib_ext = ".a",\n dylib_ext = ".so",\n os = "linux",\n )\n ```\n\n Then, either add the label of the toolchain rule to register_toolchains in the WORKSPACE, or pass\n it to the "--extra_toolchains" flag for Bazel, and it will be used.\n\n See @io_bazel_rules_rust//rust:repositories.bzl for examples of defining the @rust_cpuX repository\n with the actual binaries and libraries.\n' |
#!/usr/bin/env python3
"""Infoset setup.
Manages parameters required by all classes in the module.
"""
# Main python libraries
def main():
"""Process data.
Args:
None
Returns:
None
"""
# Check the environment
pass
if __name__ == 'infoset':
main()
| """Infoset setup.
Manages parameters required by all classes in the module.
"""
def main():
"""Process data.
Args:
None
Returns:
None
"""
pass
if __name__ == 'infoset':
main() |
del_items(0x80082E48)
SetType(0x80082E48, "int GetTpY__FUs(unsigned short tpage)")
del_items(0x80082E64)
SetType(0x80082E64, "int GetTpX__FUs(unsigned short tpage)")
del_items(0x80082E70)
SetType(0x80082E70, "void Remove96__Fv()")
del_items(0x80082EA8)
SetType(0x80082EA8, "void AppMain()")
del_items(0x80082F6C)
SetType(0x80082F6C, "void MAIN_RestartGameTask__Fv()")
del_items(0x80082F98)
SetType(0x80082F98, "void GameTask__FP4TASK(struct TASK *T)")
del_items(0x800830A4)
SetType(0x800830A4, "void MAIN_MainLoop__Fv()")
del_items(0x800830F8)
SetType(0x800830F8, "void CheckMaxArgs__Fv()")
del_items(0x8008312C)
SetType(0x8008312C, "unsigned char GPUQ_InitModule__Fv()")
del_items(0x80083138)
SetType(0x80083138, "void GPUQ_FlushQ__Fv()")
del_items(0x800832AC)
SetType(0x800832AC, "void GPUQ_LoadImage__FP4RECTli(struct RECT *Rect, long ImgHandle, int Offset)")
del_items(0x80083360)
SetType(0x80083360, "void GPUQ_DiscardHandle__Fl(long hnd)")
del_items(0x80083400)
SetType(0x80083400, "void GPUQ_LoadClutAddr__FiiiPv(int X, int Y, int Cols, void *Addr)")
del_items(0x8008349C)
SetType(0x8008349C, "void GPUQ_MoveImage__FP4RECTii(struct RECT *R, int x, int y)")
del_items(0x8008353C)
SetType(0x8008353C, "unsigned char PRIM_Open__FiiiP10SCREEN_ENVUl(int Prims, int OtSize, int Depth, struct SCREEN_ENV *Scr, unsigned long MemType)")
del_items(0x80083658)
SetType(0x80083658, "unsigned char InitPrimBuffer__FP11PRIM_BUFFERii(struct PRIM_BUFFER *Pr, int Prims, int OtSize)")
del_items(0x80083734)
SetType(0x80083734, "void PRIM_Clip__FP4RECTi(struct RECT *R, int Depth)")
del_items(0x8008385C)
SetType(0x8008385C, "unsigned char PRIM_GetCurrentScreen__Fv()")
del_items(0x80083868)
SetType(0x80083868, "void PRIM_FullScreen__Fi(int Depth)")
del_items(0x800838A4)
SetType(0x800838A4, "void PRIM_Flush__Fv()")
del_items(0x80083AD4)
SetType(0x80083AD4, "unsigned long *PRIM_GetCurrentOtList__Fv()")
del_items(0x80083AE0)
SetType(0x80083AE0, "void ClearPbOnDrawSync(struct PRIM_BUFFER *Pb)")
del_items(0x80083B1C)
SetType(0x80083B1C, "unsigned char ClearedYet__Fv()")
del_items(0x80083B28)
SetType(0x80083B28, "void PrimDrawSycnCallBack()")
del_items(0x80083B48)
SetType(0x80083B48, "void SendDispEnv__Fv()")
del_items(0x80083B6C)
SetType(0x80083B6C, "struct POLY_F4 *PRIM_GetNextPolyF4__Fv()")
del_items(0x80083B84)
SetType(0x80083B84, "struct POLY_FT4 *PRIM_GetNextPolyFt4__Fv()")
del_items(0x80083B9C)
SetType(0x80083B9C, "struct POLY_GT4 *PRIM_GetNextPolyGt4__Fv()")
del_items(0x80083BB4)
SetType(0x80083BB4, "struct POLY_G4 *PRIM_GetNextPolyG4__Fv()")
del_items(0x80083BCC)
SetType(0x80083BCC, "struct POLY_F3 *PRIM_GetNextPolyF3__Fv()")
del_items(0x80083BE4)
SetType(0x80083BE4, "struct DR_MODE *PRIM_GetNextDrArea__Fv()")
del_items(0x80083BFC)
SetType(0x80083BFC, "bool ClipRect__FRC4RECTR4RECT(struct RECT *ClipRect, struct RECT *RectToClip)")
del_items(0x80083D10)
SetType(0x80083D10, "bool IsColiding__FRC4RECTT0(struct RECT *ClipRect, struct RECT *NewRect)")
del_items(0x80083D78)
SetType(0x80083D78, "void VID_AfterDisplay__Fv()")
del_items(0x80083DA0)
SetType(0x80083DA0, "void VID_ScrOn__Fv()")
del_items(0x80083DDC)
SetType(0x80083DDC, "void VID_DoThisNextSync__FPFv_v(void (*Func)())")
del_items(0x80083E34)
SetType(0x80083E34, "unsigned char VID_NextSyncRoutHasExecuted__Fv()")
del_items(0x80083E40)
SetType(0x80083E40, "unsigned long VID_GetTick__Fv()")
del_items(0x80083E4C)
SetType(0x80083E4C, "void VID_DispEnvSend()")
del_items(0x80083EA4)
SetType(0x80083EA4, "void VID_SetXYOff__Fii(int x, int y)")
del_items(0x80083EB4)
SetType(0x80083EB4, "int VID_GetXOff__Fv()")
del_items(0x80083EC0)
SetType(0x80083EC0, "int VID_GetYOff__Fv()")
del_items(0x80083ECC)
SetType(0x80083ECC, "bool VID_IsDbuffer__Fv()")
del_items(0x80083ED8)
SetType(0x80083ED8, "void VID_SetDBuffer__Fb(bool DBuf)")
del_items(0x8008416C)
SetType(0x8008416C, "void MyFilter__FUlUlPCc(unsigned long MemType, unsigned long Size, char *Name)")
del_items(0x80084174)
SetType(0x80084174, "void SlowMemMove__FPvT0Ul(void *Dest, void *Source, unsigned long size)")
del_items(0x80084194)
SetType(0x80084194, "int GetTpY__FUs_addr_80084194(unsigned short tpage)")
del_items(0x800841B0)
SetType(0x800841B0, "int GetTpX__FUs_addr_800841B0(unsigned short tpage)")
del_items(0x800841BC)
SetType(0x800841BC, "struct FileIO *SYSI_GetFs__Fv()")
del_items(0x800841C8)
SetType(0x800841C8, "struct FileIO *SYSI_GetOverlayFs__Fv()")
del_items(0x800841D4)
SetType(0x800841D4, "void SortOutFileSystem__Fv()")
del_items(0x80084304)
SetType(0x80084304, "void MemCb__FlPvUlPCcii(long hnd, void *Addr, unsigned long Size, char *Name, int Users, int TimeStamp)")
del_items(0x80084328)
SetType(0x80084328, "void Spanker__Fv()")
del_items(0x8008437C)
SetType(0x8008437C, "void GaryLiddon__Fv()")
del_items(0x80084384)
SetType(0x80084384, "void ReadPad__Fi(int NoDeb)")
del_items(0x8008450C)
SetType(0x8008450C, "void DummyPoll__Fv()")
del_items(0x80084514)
SetType(0x80084514, "void DaveOwens__Fv()")
del_items(0x8008451C)
SetType(0x8008451C, "void DaveCentreStuff__Fv()")
del_items(0x80084664)
SetType(0x80084664, "void PlaceStoreGold2__Fil(int myplr, long v)")
del_items(0x8008488C)
SetType(0x8008488C, "void GivePlayerDosh__Fil(int PlayerNo, long cost)")
del_items(0x80084A40)
SetType(0x80084A40, "int CalcItemVal__FP10ItemStruct(struct ItemStruct *Item)")
del_items(0x80084A9C)
SetType(0x80084A9C, "void RemoveDupInvItem__Fii(int pnum, int iv)")
del_items(0x80084C8C)
SetType(0x80084C8C, "long DetectDup__FP10ItemStructi(struct ItemStruct *Item, int PlayerNo)")
del_items(0x80084F08)
SetType(0x80084F08, "void WinterSales__Fi(int PlayerNo)")
del_items(0x80085144)
SetType(0x80085144, "void KeefDaFeef__Fi(int PlayerNo)")
del_items(0x80085590)
SetType(0x80085590, "unsigned short GetCur__C4CPad(struct CPad *this)")
del_items(0x800855B8)
SetType(0x800855B8, "unsigned char CheckActive__4CPad(struct CPad *this)")
del_items(0x800855C4)
SetType(0x800855C4, "int GetTpY__FUs_addr_800855C4(unsigned short tpage)")
del_items(0x800855E0)
SetType(0x800855E0, "int GetTpX__FUs_addr_800855E0(unsigned short tpage)")
del_items(0x800855EC)
SetType(0x800855EC, "void TimSwann__Fv()")
del_items(0x800855F4)
SetType(0x800855F4, "struct FileIO *__6FileIOUl(struct FileIO *this, unsigned long OurMemId)")
del_items(0x80085644)
SetType(0x80085644, "void ___6FileIO(struct FileIO *this, int __in_chrg)")
del_items(0x80085698)
SetType(0x80085698, "long Read__6FileIOPCcUl(struct FileIO *this, char *Name, unsigned long RamId)")
del_items(0x80085808)
SetType(0x80085808, "int FileLen__6FileIOPCc(struct FileIO *this, char *Name)")
del_items(0x8008586C)
SetType(0x8008586C, "void FileNotFound__6FileIOPCc(struct FileIO *this, char *Name)")
del_items(0x8008588C)
SetType(0x8008588C, "bool StreamFile__6FileIOPCciPFPUciib_bii(struct FileIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)")
del_items(0x8008596C)
SetType(0x8008596C, "bool ReadAtAddr__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Dest, int Len)")
del_items(0x80085A30)
SetType(0x80085A30, "void DumpOldPath__6FileIO(struct FileIO *this)")
del_items(0x80085A94)
SetType(0x80085A94, "void SetSearchPath__6FileIOPCc(struct FileIO *this, char *Path)")
del_items(0x80085B70)
SetType(0x80085B70, "bool FindFile__6FileIOPCcPc(struct FileIO *this, char *Name, char *Buffa)")
del_items(0x80085C84)
SetType(0x80085C84, "char *CopyPathItem__6FileIOPcPCc(struct FileIO *this, char *Dst, char *Src)")
del_items(0x80085D2C)
SetType(0x80085D2C, "void LockSearchPath__6FileIO(struct FileIO *this)")
del_items(0x80085D84)
SetType(0x80085D84, "void UnlockSearchPath__6FileIO(struct FileIO *this)")
del_items(0x80085DDC)
SetType(0x80085DDC, "bool SearchPathExists__6FileIO(struct FileIO *this)")
del_items(0x80085DF0)
SetType(0x80085DF0, "bool Save__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Addr, int Len)")
del_items(0x80085E2C)
SetType(0x80085E2C, "struct PCIO *__4PCIOUl(struct PCIO *this, unsigned long OurMemId)")
del_items(0x80085E94)
SetType(0x80085E94, "void ___4PCIO(struct PCIO *this, int __in_chrg)")
del_items(0x80085EEC)
SetType(0x80085EEC, "bool FileExists__4PCIOPCc(struct PCIO *this, char *Name)")
del_items(0x80085F30)
SetType(0x80085F30, "bool LoReadFileAtAddr__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Dest, int Len)")
del_items(0x80085FF4)
SetType(0x80085FF4, "int GetFileLength__4PCIOPCc(struct PCIO *this, char *Name)")
del_items(0x800860AC)
SetType(0x800860AC, "bool LoSave__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Addr, int Len)")
del_items(0x80086180)
SetType(0x80086180, "bool LoStreamFile__4PCIOPCciPFPUciib_bii(struct PCIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)")
del_items(0x80086390)
SetType(0x80086390, "struct SysObj *__6SysObj(struct SysObj *this)")
del_items(0x800863A8)
SetType(0x800863A8, "void *__nw__6SysObji(int Amount)")
del_items(0x800863D4)
SetType(0x800863D4, "void *__nw__6SysObjiUl(int Amount, unsigned long RamID)")
del_items(0x80086450)
SetType(0x80086450, "void __dl__6SysObjPv(void *ptr)")
del_items(0x800864BC)
SetType(0x800864BC, "struct DatIO *__5DatIOUl(struct DatIO *this, unsigned long OurMemId)")
del_items(0x800864F8)
SetType(0x800864F8, "void ___5DatIO(struct DatIO *this, int __in_chrg)")
del_items(0x80086550)
SetType(0x80086550, "bool FileExists__5DatIOPCc(struct DatIO *this, char *Name)")
del_items(0x80086590)
SetType(0x80086590, "bool LoReadFileAtAddr__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Dest, int Len)")
del_items(0x80086650)
SetType(0x80086650, "int GetFileLength__5DatIOPCc(struct DatIO *this, char *Name)")
del_items(0x80086704)
SetType(0x80086704, "bool LoSave__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Addr, int Len)")
del_items(0x800867AC)
SetType(0x800867AC, "bool LoStreamFile__5DatIOPCciPFPUciib_bii(struct DatIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)")
del_items(0x800869B8)
SetType(0x800869B8, "struct CdIO *__4CdIOUl(struct CdIO *this, unsigned long OurMemId)")
del_items(0x800869FC)
SetType(0x800869FC, "void ___4CdIO(struct CdIO *this, int __in_chrg)")
del_items(0x80086A54)
SetType(0x80086A54, "bool FileExists__4CdIOPCc(struct CdIO *this, char *Name)")
del_items(0x80086A78)
SetType(0x80086A78, "bool LoReadFileAtAddr__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Dest, int Len)")
del_items(0x80086B14)
SetType(0x80086B14, "int GetFileLength__4CdIOPCc(struct CdIO *this, char *Name)")
del_items(0x80086B38)
SetType(0x80086B38, "bool LoSave__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Addr, int Len)")
del_items(0x80086C0C)
SetType(0x80086C0C, "bool CD_GetCdlFILE__FPCcP7CdlFILE(char *Name, struct CdlFILE *RetFile)")
del_items(0x80086C5C)
SetType(0x80086C5C, "bool LoStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)")
del_items(0x80086E84)
SetType(0x80086E84, "bool LoAsyncStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)")
del_items(0x80086FD4)
SetType(0x80086FD4, "void BL_InitEAC__Fv()")
del_items(0x800870CC)
SetType(0x800870CC, "long BL_ReadFile__FPcUl(char *Name, unsigned long RamId)")
del_items(0x800871E4)
SetType(0x800871E4, "long BL_AsyncReadFile__FPcUl(char *Name, unsigned long RamId)")
del_items(0x80087344)
SetType(0x80087344, "void BL_LoadDirectory__Fv()")
del_items(0x8008746C)
SetType(0x8008746C, "void BL_LoadStreamDir__Fv()")
del_items(0x800876FC)
SetType(0x800876FC, "struct STRHDR *BL_MakeFilePosTab__FPUcUl(unsigned char *BL_DirPtr, unsigned long NoStreamFiles)")
del_items(0x800877E4)
SetType(0x800877E4, "struct STRHDR *BL_FindStreamFile__FPcc(char *Name, char LumpID)")
del_items(0x80087970)
SetType(0x80087970, "bool BL_FileExists__FPcc(char *Name, char LumpID)")
del_items(0x800879AC)
SetType(0x800879AC, "int BL_FileLength__FPcc(char *Name, char LumpID)")
del_items(0x80087A2C)
SetType(0x80087A2C, "bool BL_LoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)")
del_items(0x80087B94)
SetType(0x80087B94, "bool BL_AsyncLoadDone__Fv()")
del_items(0x80087BA0)
SetType(0x80087BA0, "void BL_WaitForAsyncFinish__Fv()")
del_items(0x80087BE4)
SetType(0x80087BE4, "void BL_AsyncLoadCallBack__Fi(int ah)")
del_items(0x80087C48)
SetType(0x80087C48, "long BL_LoadFileAsync__FPcc(char *Name, char LumpID)")
del_items(0x80087DFC)
SetType(0x80087DFC, "bool BL_AsyncLoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)")
del_items(0x80087F18)
SetType(0x80087F18, "struct STRHDR *BL_OpenStreamFile__FPcc(char *Name, char LumpID)")
del_items(0x80087F44)
SetType(0x80087F44, "bool BL_CloseStreamFile__FP6STRHDR(struct STRHDR *StreamHDR)")
del_items(0x80087F4C)
SetType(0x80087F4C, "int LZNP_Decode__FPUcT0(unsigned char *in, unsigned char *out)")
del_items(0x80088020)
SetType(0x80088020, "void *Tmalloc__Fi(int MemSize)")
del_items(0x80088114)
SetType(0x80088114, "void Tfree__FPv(void *Addr)")
del_items(0x800881C4)
SetType(0x800881C4, "void InitTmalloc__Fv()")
del_items(0x800881EC)
SetType(0x800881EC, "void strupr__FPc(char *Buffa)")
del_items(0x80088240)
SetType(0x80088240, "void PauseTask__FP4TASK(struct TASK *T)")
del_items(0x80088290)
SetType(0x80088290, "int GetPausePad__Fv()")
del_items(0x800883B8)
SetType(0x800883B8, "bool TryPadForPause__Fi(int PadNum)")
del_items(0x800883E4)
SetType(0x800883E4, "void DoPause__14CPauseMessagesi(struct CPauseMessages *this, int nPadNum)")
del_items(0x800885F4)
SetType(0x800885F4, "bool DoPausedMessage__14CPauseMessages(struct CPauseMessages *this)")
del_items(0x8008872C)
SetType(0x8008872C, "int DoQuitMessage__14CPauseMessages(struct CPauseMessages *this)")
del_items(0x8008884C)
SetType(0x8008884C, "bool AreYouSureMessage__14CPauseMessages(struct CPauseMessages *this)")
del_items(0x8008896C)
SetType(0x8008896C, "bool PA_SetPauseOk__Fb(bool NewPause)")
del_items(0x8008897C)
SetType(0x8008897C, "bool PA_GetPauseOk__Fv()")
del_items(0x80088988)
SetType(0x80088988, "void MY_PausePrint__17CTempPauseMessageiiiP4RECT(struct CTempPauseMessage *this, int s, int Txt, int Menu, struct RECT *PRect)")
del_items(0x80088BC8)
SetType(0x80088BC8, "void InitPrintQuitMessage__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x80088BD0)
SetType(0x80088BD0, "void PrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)")
del_items(0x80088D48)
SetType(0x80088D48, "void LeavePrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)")
del_items(0x80088D50)
SetType(0x80088D50, "void InitPrintAreYouSure__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x80088D58)
SetType(0x80088D58, "void PrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)")
del_items(0x80088ED0)
SetType(0x80088ED0, "void LeavePrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)")
del_items(0x80088ED8)
SetType(0x80088ED8, "void InitPrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x80088EE0)
SetType(0x80088EE0, "void PrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x80089030)
SetType(0x80089030, "void LeavePrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x80089038)
SetType(0x80089038, "void ___17CTempPauseMessage(struct CTempPauseMessage *this, int __in_chrg)")
del_items(0x80089060)
SetType(0x80089060, "void _GLOBAL__D_DoPause__14CPauseMessagesi()")
del_items(0x80089088)
SetType(0x80089088, "void _GLOBAL__I_DoPause__14CPauseMessagesi()")
del_items(0x800890B0)
SetType(0x800890B0, "struct CTempPauseMessage *__17CTempPauseMessage(struct CTempPauseMessage *this)")
del_items(0x800890F4)
SetType(0x800890F4, "void ___14CPauseMessages(struct CPauseMessages *this, int __in_chrg)")
del_items(0x80089128)
SetType(0x80089128, "struct CPauseMessages *__14CPauseMessages(struct CPauseMessages *this)")
del_items(0x8008913C)
SetType(0x8008913C, "void SetRGB__6DialogUcUcUc(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x8008915C)
SetType(0x8008915C, "void SetBack__6Dialogi(struct Dialog *this, int Type)")
del_items(0x80089164)
SetType(0x80089164, "void SetBorder__6Dialogi(struct Dialog *this, int Type)")
del_items(0x8008916C)
SetType(0x8008916C, "void ___6Dialog(struct Dialog *this, int __in_chrg)")
del_items(0x80089194)
SetType(0x80089194, "struct Dialog *__6Dialog(struct Dialog *this)")
del_items(0x80089214)
SetType(0x80089214, "int GetOverlayOtBase__7CBlocks()")
del_items(0x8008921C)
SetType(0x8008921C, "int GetMaxOtPos__7CBlocks()")
del_items(0x80089224)
SetType(0x80089224, "unsigned short GetDown__C4CPad(struct CPad *this)")
del_items(0x8008924C)
SetType(0x8008924C, "unsigned char CheckActive__4CPad_addr_8008924C(struct CPad *this)")
del_items(0x80089258)
SetType(0x80089258, "unsigned long ReadPadStream__Fv()")
del_items(0x80089370)
SetType(0x80089370, "void PAD_Handler__Fv()")
del_items(0x8008956C)
SetType(0x8008956C, "struct CPad *PAD_GetPad__FiUc(int PadNum, unsigned char both)")
del_items(0x8008961C)
SetType(0x8008961C, "void NewVal__4CPadUs(struct CPad *this, unsigned short New)")
del_items(0x80089690)
SetType(0x80089690, "void BothNewVal__4CPadUsUs(struct CPad *this, unsigned short New, unsigned short New2)")
del_items(0x80089724)
SetType(0x80089724, "unsigned short Trans__4CPadUs(struct CPad *this, unsigned short PadVal)")
del_items(0x80089848)
SetType(0x80089848, "void Flush__4CPad(struct CPad *this)")
del_items(0x8008989C)
SetType(0x8008989C, "void InitClickBits__FPUs(unsigned short *CountArray)")
del_items(0x800898BC)
SetType(0x800898BC, "unsigned short MakeClickBits__FiiiPUs(int Switch, int Closed, int Speed, unsigned short *CountArray)")
del_items(0x80089948)
SetType(0x80089948, "void _GLOBAL__I_Pad0()")
del_items(0x80089980)
SetType(0x80089980, "void SetPadType__4CPadUc(struct CPad *this, unsigned char val)")
del_items(0x80089988)
SetType(0x80089988, "unsigned char CheckActive__4CPad_addr_80089988(struct CPad *this)")
del_items(0x80089994)
SetType(0x80089994, "void SetActive__4CPadUc(struct CPad *this, unsigned char a)")
del_items(0x8008999C)
SetType(0x8008999C, "void SetBothFlag__4CPadUc(struct CPad *this, unsigned char fl)")
del_items(0x800899A4)
SetType(0x800899A4, "struct CPad *__4CPadi(struct CPad *this, int PhysStick)")
del_items(0x800899D8)
SetType(0x800899D8, "void Set__7FontTab(struct FontTab *this)")
del_items(0x80089A74)
SetType(0x80089A74, "void InitPrinty__Fv()")
del_items(0x80089B24)
SetType(0x80089B24, "void SetTextDat__5CFontP7TextDat(struct CFont *this, struct TextDat *NewDat)")
del_items(0x80089B2C)
SetType(0x80089B2C, "int KanjiPrintChar__5CFontUsUsUsUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, unsigned short kan, int R, int G, int B)")
del_items(0x80089C64)
SetType(0x80089C64, "int PrintChar__5CFontUsUsUcUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, unsigned char C, int R, int G, int B)")
del_items(0x80089E08)
SetType(0x80089E08, "int Print__5CFontiiPc8TXT_JUSTP4RECTUcUcUc(struct CFont *this, int X, int Y, char *Str, enum TXT_JUST Justify, struct RECT *TextWindow, int R, int G, int B)")
del_items(0x8008A440)
SetType(0x8008A440, "int GetWrap__5CFontPcP4RECT(struct CFont *this, char *Str, struct RECT *TextWindow)")
del_items(0x8008A6B0)
SetType(0x8008A6B0, "int GetWrapWidth__5CFontPcP4RECT(struct CFont *this, char *Str, struct RECT *TextWindow)")
del_items(0x8008A81C)
SetType(0x8008A81C, "int GetStrWidth__5CFontPc(struct CFont *this, char *Str)")
del_items(0x8008A898)
SetType(0x8008A898, "void SetChar__5CFontiUs(struct CFont *this, int ch, unsigned short Frm)")
del_items(0x8008A918)
SetType(0x8008A918, "int SetOTpos__5CFonti(struct CFont *this, int OT)")
del_items(0x8008A924)
SetType(0x8008A924, "int GetCharWidth__5CFontUc(struct CFont *this, unsigned char ch)")
del_items(0x8008A9D4)
SetType(0x8008A9D4, "void _GLOBAL__I_WHITER()")
del_items(0x8008AA30)
SetType(0x8008AA30, "int GetOverlayOtBase__7CBlocks_addr_8008AA30()")
del_items(0x8008AA38)
SetType(0x8008AA38, "void ClearFont__5CFont(struct CFont *this)")
del_items(0x8008AA5C)
SetType(0x8008AA5C, "bool IsDefined__5CFontUc(struct CFont *this, unsigned char C)")
del_items(0x8008AA7C)
SetType(0x8008AA7C, "int GetCharFrameNum__5CFontUc(struct CFont *this, unsigned char ch)")
del_items(0x8008AA94)
SetType(0x8008AA94, "void Init__5CFont(struct CFont *this)")
del_items(0x8008AAC8)
SetType(0x8008AAC8, "struct FRAME_HDR *GetFr__7TextDati(struct TextDat *this, int FrNum)")
del_items(0x8008AAE4)
SetType(0x8008AAE4, "unsigned char TrimCol__Fs(short col)")
del_items(0x8008AB1C)
SetType(0x8008AB1C, "struct POLY_GT4 *DialogPrint__Fiiiiiiiiii(int Frm, int X, int Y, int SW, int SH, int UW, int UH, int UOfs, int VOfs, int Trans)")
del_items(0x8008B49C)
SetType(0x8008B49C, "struct POLY_G4 *GetDropShadowG4__FUcUcUcUcUcUcUcUcUcUcUcUc(unsigned char r0, unsigned char g0, unsigned char b0, unsigned char r1, int g1, int b1, int r2, int g2, int b2, int r3, int g3, int b3)")
del_items(0x8008B5D4)
SetType(0x8008B5D4, "void DropShadows__Fiiii(int x, int y, int w, int h)")
del_items(0x8008B878)
SetType(0x8008B878, "void InitDialog__Fv()")
del_items(0x8008B9B0)
SetType(0x8008B9B0, "void GetSizes__6Dialog(struct Dialog *this)")
del_items(0x8008BC34)
SetType(0x8008BC34, "void Back__6Dialogiiii(struct Dialog *this, int DX, int DY, int DW, int DH)")
del_items(0x8008CD4C)
SetType(0x8008CD4C, "void Line__6Dialogiii(struct Dialog *this, int DX, int DY, int DW)")
del_items(0x8008CF7C)
SetType(0x8008CF7C, "int SetOTpos__6Dialogi(struct Dialog *this, int OT)")
del_items(0x8008CF90)
SetType(0x8008CF90, "struct PAL *GetPal__7TextDati(struct TextDat *this, int PalNum)")
del_items(0x8008CFAC)
SetType(0x8008CFAC, "struct FRAME_HDR *GetFr__7TextDati_addr_8008CFAC(struct TextDat *this, int FrNum)")
del_items(0x8008CFC8)
SetType(0x8008CFC8, "void ATT_DoAttract__Fv()")
del_items(0x8008D090)
SetType(0x8008D090, "void CustomPlayerInit__FR12PlayerStruct(struct PlayerStruct *P)")
del_items(0x8008D098)
SetType(0x8008D098, "void CreatePlayersFromFeData__FR9FE_CREATE(struct FE_CREATE *CStruct)")
del_items(0x8008D170)
SetType(0x8008D170, "void UpdateSel__FPUsUsPUc(unsigned short *Col, unsigned short Add, unsigned char *Count)")
del_items(0x8008D1B0)
SetType(0x8008D1B0, "void CycleSelCols__Fv()")
del_items(0x8008D368)
SetType(0x8008D368, "int FindTownCreature__7CBlocksi(struct CBlocks *this, int GameEqu)")
del_items(0x8008D3DC)
SetType(0x8008D3DC, "int FindCreature__7CBlocksi(struct CBlocks *this, int MgNum)")
del_items(0x8008D450)
SetType(0x8008D450, "struct CBlocks *__7CBlocksiiiii(struct CBlocks *this, int BgId, int ObjId, int ItemId, int Level, int List)")
del_items(0x8008D5B4)
SetType(0x8008D5B4, "void SetTownersGraphics__7CBlocks(struct CBlocks *this)")
del_items(0x8008D5EC)
SetType(0x8008D5EC, "void SetMonsterGraphics__7CBlocksii(struct CBlocks *this, int Level, int List)")
del_items(0x8008D6B4)
SetType(0x8008D6B4, "void ___7CBlocks(struct CBlocks *this, int __in_chrg)")
del_items(0x8008D73C)
SetType(0x8008D73C, "void DumpGt4s__7CBlocks(struct CBlocks *this)")
del_items(0x8008D7A4)
SetType(0x8008D7A4, "void DumpRects__7CBlocks(struct CBlocks *this)")
del_items(0x8008D80C)
SetType(0x8008D80C, "void SetGraphics__7CBlocksPP7TextDatPii(struct CBlocks *this, struct TextDat **TDat, int *pId, int Id)")
del_items(0x8008D868)
SetType(0x8008D868, "void DumpGraphics__7CBlocksPP7TextDatPi(struct CBlocks *this, struct TextDat **TDat, int *Id)")
del_items(0x8008D8B8)
SetType(0x8008D8B8, "void Load__7CBlocksi(struct CBlocks *this, int Id)")
del_items(0x8008D970)
SetType(0x8008D970, "void MakeRectTable__7CBlocks(struct CBlocks *this)")
del_items(0x8008DAC4)
SetType(0x8008DAC4, "void MakeGt4Table__7CBlocks(struct CBlocks *this)")
del_items(0x8008DCA8)
SetType(0x8008DCA8, "void MakeGt4__7CBlocksP8POLY_GT4P9FRAME_HDR(struct CBlocks *this, struct POLY_GT4 *GT4, struct FRAME_HDR *Fr)")
del_items(0x8008DDD0)
SetType(0x8008DDD0, "void MyRoutine__FR7CBlocksii(struct CBlocks *B, int x, int y)")
del_items(0x8008DE38)
SetType(0x8008DE38, "void SetRandOffset__7CBlocksi(struct CBlocks *this, int QuakeAmount)")
del_items(0x8008DE94)
SetType(0x8008DE94, "void Print__7CBlocks(struct CBlocks *this)")
del_items(0x8008DFB0)
SetType(0x8008DFB0, "void SetXY__7CBlocksii(struct CBlocks *this, int nx, int ny)")
del_items(0x8008DFD8)
SetType(0x8008DFD8, "void GetXY__7CBlocksPiT1(struct CBlocks *this, int *nx, int *ny)")
del_items(0x8008DFF0)
SetType(0x8008DFF0, "void InitColourCycling__7CBlocks(struct CBlocks *this)")
del_items(0x8008E13C)
SetType(0x8008E13C, "void GetGCol__7CBlocksiiPUcP7RGBData(struct CBlocks *this, int x, int y, unsigned char *Rgb, struct RGBData *Data)")
del_items(0x8008E27C)
SetType(0x8008E27C, "void PrintMap__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x8008EDEC)
SetType(0x8008EDEC, "void IterateVisibleMap__7CBlocksiiPFP9CacheInfoP8map_infoii_ib(struct CBlocks *this, int x, int y, int (*Func)(), bool VisCheck)")
del_items(0x8008F264)
SetType(0x8008F264, "int AddMonst__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x8008F344)
SetType(0x8008F344, "void PrintMonsters__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x8008FDE8)
SetType(0x8008FDE8, "int AddTowners__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x8008FE44)
SetType(0x8008FE44, "void PrintTowners__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x800901FC)
SetType(0x800901FC, "int AddObject__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x80090258)
SetType(0x80090258, "void PrintObjects__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x800906B4)
SetType(0x800906B4, "int AddDead__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x80090740)
SetType(0x80090740, "void PrintDead__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x80090A04)
SetType(0x80090A04, "int AddItem__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x80090A60)
SetType(0x80090A60, "void PrintItems__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x80091020)
SetType(0x80091020, "int AddMissile__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)")
del_items(0x80091128)
SetType(0x80091128, "void PrintMissiles__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x80091320)
SetType(0x80091320, "int ScrToWorldX__7CBlocksii(struct CBlocks *this, int sx, int sy)")
del_items(0x80091334)
SetType(0x80091334, "int ScrToWorldY__7CBlocksii(struct CBlocks *this, int sx, int sy)")
del_items(0x80091348)
SetType(0x80091348, "void SetScrollTarget__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x8009140C)
SetType(0x8009140C, "void DoScroll__7CBlocks(struct CBlocks *this)")
del_items(0x800914F8)
SetType(0x800914F8, "void SetPlayerPosBlocks__7CBlocksiii(struct CBlocks *this, int PlayerNum, int bx, int by)")
del_items(0x80091598)
SetType(0x80091598, "void GetScrXY__7CBlocksR4RECTiiii(struct CBlocks *this, struct RECT *R, int x, int y, int sxoff, int syoff)")
del_items(0x8009166C)
SetType(0x8009166C, "void ShadScaleSkew__7CBlocksP8POLY_FT4(struct POLY_FT4 *Ft4)")
del_items(0x8009170C)
SetType(0x8009170C, "int WorldToScrX__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x80091714)
SetType(0x80091714, "int WorldToScrY__7CBlocksii(struct CBlocks *this, int x, int y)")
del_items(0x80091728)
SetType(0x80091728, "struct CBlocks *BL_GetCurrentBlocks__Fv()")
del_items(0x80091734)
SetType(0x80091734, "int GetHighlightCol__FiPcUsUsUs(int Index, char *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)")
del_items(0x8009177C)
SetType(0x8009177C, "void PRIM_GetPrim__FPP8POLY_FT4(struct POLY_FT4 **Prim)")
del_items(0x800917F8)
SetType(0x800917F8, "int GetHighlightCol__FiPiUsUsUs(int Index, int *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)")
del_items(0x80091840)
SetType(0x80091840, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4(struct POLY_FT4 *Prim)")
del_items(0x8009187C)
SetType(0x8009187C, "void PRIM_GetPrim__FPP8POLY_GT4(struct POLY_GT4 **Prim)")
del_items(0x800918F8)
SetType(0x800918F8, "void PRIM_CopyPrim__FP8POLY_FT4T0(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)")
del_items(0x80091920)
SetType(0x80091920, "int GetCreature__14TownToCreaturei(struct TownToCreature *this, int GameCreature)")
del_items(0x8009193C)
SetType(0x8009193C, "void SetItemGraphics__7CBlocksi(struct CBlocks *this, int Id)")
del_items(0x80091964)
SetType(0x80091964, "void SetObjGraphics__7CBlocksi(struct CBlocks *this, int Id)")
del_items(0x8009198C)
SetType(0x8009198C, "void DumpItems__7CBlocks(struct CBlocks *this)")
del_items(0x800919B0)
SetType(0x800919B0, "void DumpObjs__7CBlocks(struct CBlocks *this)")
del_items(0x800919D4)
SetType(0x800919D4, "void DumpMonsters__7CBlocks(struct CBlocks *this)")
del_items(0x800919FC)
SetType(0x800919FC, "int GetOtPos__7CBlocksi(struct CBlocks *this, int LogicalY)")
del_items(0x80091A34)
SetType(0x80091A34, "void InitFromGt4__9LittleGt4P8POLY_GT4ii(struct LittleGt4 *this, struct POLY_GT4 *Gt4, int nw, int nh)")
del_items(0x80091AC0)
SetType(0x80091AC0, "int GetNumOfFrames__7TextDatii(struct TextDat *this, int Creature, int Action)")
del_items(0x80091AF8)
SetType(0x80091AF8, "int GetNumOfActions__7TextDati(struct TextDat *this, int Creature)")
del_items(0x80091B1C)
SetType(0x80091B1C, "struct CCreatureHdr *GetCreature__7TextDati(struct TextDat *this, int Creature)")
del_items(0x80091B38)
SetType(0x80091B38, "void SetFileInfo__7TextDatPC13CTextFileInfoi(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)")
del_items(0x80091B44)
SetType(0x80091B44, "int GetNumOfFrames__7TextDat(struct TextDat *this)")
del_items(0x80091B58)
SetType(0x80091B58, "struct PAL *GetPal__7TextDati_addr_80091B58(struct TextDat *this, int PalNum)")
del_items(0x80091B74)
SetType(0x80091B74, "struct FRAME_HDR *GetFr__7TextDati_addr_80091B74(struct TextDat *this, int FrNum)")
del_items(0x80091B90)
SetType(0x80091B90, "struct TextDat *__7TextDat(struct TextDat *this)")
del_items(0x80091BC4)
SetType(0x80091BC4, "void OnceOnlyInit__7TextDat(struct TextDat *this)")
del_items(0x80091BE4)
SetType(0x80091BE4, "void ___7TextDat(struct TextDat *this, int __in_chrg)")
del_items(0x80091C2C)
SetType(0x80091C2C, "void ReloadTP__7TextDat(struct TextDat *this)")
del_items(0x80091C6C)
SetType(0x80091C6C, "void Use__7TextDatlbi(struct TextDat *this, long NewHndDat, bool DatLoaded, int size)")
del_items(0x80091EAC)
SetType(0x80091EAC, "bool TpLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)")
del_items(0x80091F54)
SetType(0x80091F54, "void StreamLoadTP__7TextDat(struct TextDat *this)")
del_items(0x8009200C)
SetType(0x8009200C, "void FinishedUsing__7TextDat(struct TextDat *this)")
del_items(0x800920A4)
SetType(0x800920A4, "void MakeBlockOffsetTab__7TextDat(struct TextDat *this)")
del_items(0x800920F0)
SetType(0x800920F0, "long MakeOffsetTab__C9CBlockHdr(struct CBlockHdr *this)")
del_items(0x8009221C)
SetType(0x8009221C, "void SetUVTp__7TextDatP9FRAME_HDRP8POLY_FT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4, int XFlip, int YFlip)")
del_items(0x8009231C)
SetType(0x8009231C, "bool IsCompressed__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Dir, int Frame)")
del_items(0x80092368)
SetType(0x80092368, "struct POLY_FT4 *PrintMonster__7TextDatiiiiiii(struct TextDat *this, int Creature, int Action, int Dir, int Frame, int x, int y, int OtPos)")
del_items(0x80092414)
SetType(0x80092414, "struct POLY_FT4 *PrintMonsterA__7TextDatiiibi(struct TextDat *this, int Frm, int X, int Y, bool XFlip, int OtPos)")
del_items(0x800927BC)
SetType(0x800927BC, "void PrepareFt4__7TextDatP8POLY_FT4iiiii(struct TextDat *this, struct POLY_FT4 *FT4, int Frm, int X, int Y, int XFlip, int YFlip)")
del_items(0x80092A50)
SetType(0x80092A50, "unsigned char *GetDecompBufffer__7TextDati(struct TextDat *this, int Size)")
del_items(0x80092BB0)
SetType(0x80092BB0, "void SetUVTpGT4__7TextDatP9FRAME_HDRP8POLY_GT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT4 *FT4, int XFlip, int YFlip)")
del_items(0x80092CB0)
SetType(0x80092CB0, "void PrepareGt4__7TextDatP8POLY_GT4iiiii(struct TextDat *this, struct POLY_GT4 *GT4, int Frm, int X, int Y, int XFlip, int YFlip)")
del_items(0x80092F08)
SetType(0x80092F08, "void SetUVTpGT3__7TextDatP9FRAME_HDRP8POLY_GT3(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT3 *GT3)")
del_items(0x80092F8C)
SetType(0x80092F8C, "void PrepareGt3__7TextDatP8POLY_GT3iii(struct TextDat *this, struct POLY_GT3 *GT3, int Frm, int X, int Y)")
del_items(0x80093154)
SetType(0x80093154, "struct POLY_FT4 *PrintFt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)")
del_items(0x800932A8)
SetType(0x800932A8, "struct POLY_GT4 *PrintGt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)")
del_items(0x800933FC)
SetType(0x800933FC, "void DecompFrame__7TextDatP9FRAME_HDR(struct TextDat *this, struct FRAME_HDR *Fr)")
del_items(0x80093554)
SetType(0x80093554, "void MakeCreatureOffsetTab__7TextDat(struct TextDat *this)")
del_items(0x80093694)
SetType(0x80093694, "void MakePalOffsetTab__7TextDat(struct TextDat *this)")
del_items(0x80093790)
SetType(0x80093790, "void InitData__7TextDat(struct TextDat *this)")
del_items(0x800937C0)
SetType(0x800937C0, "void DumpData__7TextDat(struct TextDat *this)")
del_items(0x800938E8)
SetType(0x800938E8, "void DumpHdr__7TextDat(struct TextDat *this)")
del_items(0x8009394C)
SetType(0x8009394C, "struct TextDat *GM_UseTexData__Fi(int Id)")
del_items(0x80093A80)
SetType(0x80093A80, "void GM_ForceTpLoad__Fi(int Id)")
del_items(0x80093ABC)
SetType(0x80093ABC, "void GM_FinishedUsing__FP7TextDat(struct TextDat *Fin)")
del_items(0x80093B10)
SetType(0x80093B10, "void SetPal__7TextDatP9FRAME_HDRP8POLY_FT4(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4)")
del_items(0x80093BD4)
SetType(0x80093BD4, "int GetFrNum__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Direction, int Frame)")
del_items(0x80093C28)
SetType(0x80093C28, "bool IsDirAliased__7TextDatiii(struct TextDat *this, int Creature, int Action, int Direction)")
del_items(0x80093C80)
SetType(0x80093C80, "void DoDecompRequests__7TextDat(struct TextDat *this)")
del_items(0x80093DA4)
SetType(0x80093DA4, "void FindDecompArea__7TextDatR4RECT(struct TextDat *this, struct RECT *R)")
del_items(0x80093E7C)
SetType(0x80093E7C, "struct CTextFileInfo *GetFileInfo__7TextDati(int Id)")
del_items(0x80093ECC)
SetType(0x80093ECC, "int GetSize__C15CCreatureAction(struct CCreatureAction *this)")
del_items(0x80093EF4)
SetType(0x80093EF4, "int GetFrNum__C15CCreatureActionii(struct CCreatureAction *this, int Direction, int Frame)")
del_items(0x80093F24)
SetType(0x80093F24, "void InitDirRemap__15CCreatureAction(struct CCreatureAction *this)")
del_items(0x80093FE4)
SetType(0x80093FE4, "int GetFrNum__C12CCreatureHdriii(struct CCreatureHdr *this, int Action, int Direction, int Frame)")
del_items(0x80094028)
SetType(0x80094028, "struct CCreatureAction *GetAction__C12CCreatureHdri(struct CCreatureHdr *this, int ActNum)")
del_items(0x800940B8)
SetType(0x800940B8, "void InitActionDirRemaps__12CCreatureHdr(struct CCreatureHdr *this)")
del_items(0x80094128)
SetType(0x80094128, "int GetSize__C12CCreatureHdr(struct CCreatureHdr *this)")
del_items(0x80094194)
SetType(0x80094194, "void LoadDat__C13CTextFileInfoli(struct CTextFileInfo *this, long hnd, int size)")
del_items(0x800942C8)
SetType(0x800942C8, "long LoadDat__C13CTextFileInfo(struct CTextFileInfo *this)")
del_items(0x80094320)
SetType(0x80094320, "long LoadHdr__C13CTextFileInfo(struct CTextFileInfo *this)")
del_items(0x80094348)
SetType(0x80094348, "void MakeFname__C13CTextFileInfoPcPCc(struct CTextFileInfo *this, char *Dest, char *Ext)")
del_items(0x80094390)
SetType(0x80094390, "long GetFile__C13CTextFileInfoPcUl(struct CTextFileInfo *this, char *Ext, unsigned long RamId)")
del_items(0x80094430)
SetType(0x80094430, "bool HasFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)")
del_items(0x800944C4)
SetType(0x800944C4, "void Un64__FPUcT0l(unsigned char *Src, unsigned char *Dest, long SizeBytes)")
del_items(0x80094598)
SetType(0x80094598, "struct CScreen *__7CScreen(struct CScreen *this)")
del_items(0x800945CC)
SetType(0x800945CC, "void Load__7CScreeniii(struct CScreen *this, int Id, int tpx, int tpy)")
del_items(0x800948E0)
SetType(0x800948E0, "void Unload__7CScreen(struct CScreen *this)")
del_items(0x80094904)
SetType(0x80094904, "void Display__7CScreeniiii(struct CScreen *this, int Id, int tpx, int tpy, int fadeval)")
del_items(0x80094BE4)
SetType(0x80094BE4, "void SetRect__5CPartR7TextDatR4RECT(struct CPart *this, struct TextDat *TDat, struct RECT *R)")
del_items(0x80094C60)
SetType(0x80094C60, "void GetBoundingBox__6CBlockR7TextDatR4RECT(struct CBlock *this, struct TextDat *TDat, struct RECT *R)")
del_items(0x80094DBC)
SetType(0x80094DBC, "void _GLOBAL__D_DatPool()")
del_items(0x80094E14)
SetType(0x80094E14, "void _GLOBAL__I_DatPool()")
del_items(0x80094E68)
SetType(0x80094E68, "void PRIM_GetPrim__FPP8POLY_GT4_addr_80094E68(struct POLY_GT4 **Prim)")
del_items(0x80094EE4)
SetType(0x80094EE4, "void PRIM_GetPrim__FPP8POLY_FT4_addr_80094EE4(struct POLY_FT4 **Prim)")
del_items(0x80094F60)
SetType(0x80094F60, "void DumpDatFile__7TextDat(struct TextDat *this)")
del_items(0x80094FD4)
SetType(0x80094FD4, "bool CanXferFrame__C7TextDat(struct TextDat *this)")
del_items(0x80094FFC)
SetType(0x80094FFC, "bool CanXferPal__C7TextDat(struct TextDat *this)")
del_items(0x80095024)
SetType(0x80095024, "bool IsLoaded__C7TextDat(struct TextDat *this)")
del_items(0x80095030)
SetType(0x80095030, "int GetTexNum__C7TextDat(struct TextDat *this)")
del_items(0x8009503C)
SetType(0x8009503C, "struct CCreatureHdr *GetCreature__7TextDati_addr_8009503C(struct TextDat *this, int Creature)")
del_items(0x80095058)
SetType(0x80095058, "int GetNumOfCreatures__7TextDat(struct TextDat *this)")
del_items(0x8009506C)
SetType(0x8009506C, "void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_8009506C(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)")
del_items(0x80095078)
SetType(0x80095078, "int GetNumOfFrames__7TextDat_addr_80095078(struct TextDat *this)")
del_items(0x8009508C)
SetType(0x8009508C, "struct PAL *GetPal__7TextDati_addr_8009508C(struct TextDat *this, int PalNum)")
del_items(0x800950A8)
SetType(0x800950A8, "struct FRAME_HDR *GetFr__7TextDati_addr_800950A8(struct TextDat *this, int FrNum)")
del_items(0x800950C4)
SetType(0x800950C4, "char *GetName__C13CTextFileInfo(struct CTextFileInfo *this)")
del_items(0x800950D0)
SetType(0x800950D0, "bool HasDat__C13CTextFileInfo(struct CTextFileInfo *this)")
del_items(0x800950F8)
SetType(0x800950F8, "bool HasTp__C13CTextFileInfo(struct CTextFileInfo *this)")
del_items(0x80095120)
SetType(0x80095120, "int GetSize__C6CBlock(struct CBlock *this)")
del_items(0x80095134)
SetType(0x80095134, "bool OVR_IsMemcardOverlayBlank__Fv()")
del_items(0x80095160)
SetType(0x80095160, "void OVR_LoadPregame__Fv()")
del_items(0x80095188)
SetType(0x80095188, "void OVR_LoadFrontend__Fv()")
del_items(0x800951B0)
SetType(0x800951B0, "void OVR_LoadGame__Fv()")
del_items(0x800951D8)
SetType(0x800951D8, "void OVR_LoadFmv__Fv()")
del_items(0x80095200)
SetType(0x80095200, "void OVR_LoadMemcard__Fv()")
del_items(0x8009522C)
SetType(0x8009522C, "void ClearOutOverlays__Fv()")
del_items(0x80095284)
SetType(0x80095284, "void ClearOut__7Overlay(struct Overlay *this)")
del_items(0x80095348)
SetType(0x80095348, "void Load__7Overlay(struct Overlay *this)")
del_items(0x800953A4)
SetType(0x800953A4, "enum OVER_TYPE OVR_GetCurrentOverlay__Fv()")
del_items(0x800953B0)
SetType(0x800953B0, "void LoadOver__FR7Overlay(struct Overlay *Ovr)")
del_items(0x80095404)
SetType(0x80095404, "void _GLOBAL__I_OVR_Open__Fv()")
del_items(0x80095574)
SetType(0x80095574, "enum OVER_TYPE GetOverType__7Overlay(struct Overlay *this)")
del_items(0x80095580)
SetType(0x80095580, "void StevesDummyPoll__Fv()")
del_items(0x80095588)
SetType(0x80095588, "void Lambo__Fv()")
del_items(0x80095590)
SetType(0x80095590, "struct CPlayer *__7CPlayerbii(struct CPlayer *this, bool Town, int mPlayerNum, int NewNumOfPlayers)")
del_items(0x800956E8)
SetType(0x800956E8, "void ___7CPlayer(struct CPlayer *this, int __in_chrg)")
del_items(0x80095778)
SetType(0x80095778, "void Load__7CPlayeri(struct CPlayer *this, int Id)")
del_items(0x800957E4)
SetType(0x800957E4, "void SetScrollTarget__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)")
del_items(0x80095BC8)
SetType(0x80095BC8, "void Print__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)")
del_items(0x80096100)
SetType(0x80096100, "int FindAction__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)")
del_items(0x80096184)
SetType(0x80096184, "enum PACTION FindActionEnum__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)")
del_items(0x80096208)
SetType(0x80096208, "void Init__7CPlayer(struct CPlayer *this)")
del_items(0x80096210)
SetType(0x80096210, "void Dump__7CPlayer(struct CPlayer *this)")
del_items(0x80096218)
SetType(0x80096218, "void LoadThis__7CPlayeri(struct CPlayer *this, int Id)")
del_items(0x80096288)
SetType(0x80096288, "void NonBlockingLoadNewGFX__7CPlayeri(struct CPlayer *this, int Id)")
del_items(0x800962F4)
SetType(0x800962F4, "void FilthyTask__FP4TASK(struct TASK *T)")
del_items(0x8009637C)
SetType(0x8009637C, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8009637C(struct POLY_FT4 **Prim)")
del_items(0x800963F8)
SetType(0x800963F8, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_800963F8(struct POLY_FT4 *Prim)")
del_items(0x80096434)
SetType(0x80096434, "void PRIM_CopyPrim__FP8POLY_FT4T0_addr_80096434(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)")
del_items(0x8009645C)
SetType(0x8009645C, "int GetDatMaxSize__7CPlayer(struct CPlayer *this)")
del_items(0x8009649C)
SetType(0x8009649C, "int GetOtPos__7CBlocksi_addr_8009649C(struct CBlocks *this, int LogicalY)")
del_items(0x800964D8)
SetType(0x800964D8, "void SetDecompArea__7TextDatiiii(struct TextDat *this, int nDecX, int nDecY, int nPalX, int nPalY)")
del_items(0x800964F0)
SetType(0x800964F0, "int GetNumOfFrames__7TextDatii_addr_800964F0(struct TextDat *this, int Creature, int Action)")
del_items(0x80096528)
SetType(0x80096528, "int GetNumOfActions__7TextDati_addr_80096528(struct TextDat *this, int Creature)")
del_items(0x8009654C)
SetType(0x8009654C, "struct CCreatureHdr *GetCreature__7TextDati_addr_8009654C(struct TextDat *this, int Creature)")
del_items(0x80096568)
SetType(0x80096568, "void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_80096568(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)")
del_items(0x80096574)
SetType(0x80096574, "void PROF_Open__Fv()")
del_items(0x800965B4)
SetType(0x800965B4, "bool PROF_State__Fv()")
del_items(0x800965C0)
SetType(0x800965C0, "void PROF_On__Fv()")
del_items(0x800965D0)
SetType(0x800965D0, "void PROF_Off__Fv()")
del_items(0x800965DC)
SetType(0x800965DC, "void PROF_CpuEnd__Fv()")
del_items(0x8009660C)
SetType(0x8009660C, "void PROF_CpuStart__Fv()")
del_items(0x80096630)
SetType(0x80096630, "void PROF_DrawStart__Fv()")
del_items(0x80096654)
SetType(0x80096654, "void PROF_DrawEnd__Fv()")
del_items(0x80096684)
SetType(0x80096684, "void PROF_Draw__FPUl(unsigned long *Ot)")
del_items(0x80096878)
SetType(0x80096878, "void PROF_Restart__Fv()")
del_items(0x80096898)
SetType(0x80096898, "void PSX_WndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)")
del_items(0x80096C1C)
SetType(0x80096C1C, "void PSX_PostWndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)")
del_items(0x80096CD4)
SetType(0x80096CD4, "void GoSetLevel__Fv()")
del_items(0x80096D6C)
SetType(0x80096D6C, "void GoBackLevel__Fv()")
del_items(0x80096DC8)
SetType(0x80096DC8, "void GoWarpLevel__Fv()")
del_items(0x80096DF4)
SetType(0x80096DF4, "void PostLoadGame__Fv()")
del_items(0x80096E6C)
SetType(0x80096E6C, "void GoLoadGame__Fv()")
del_items(0x80096FC4)
SetType(0x80096FC4, "void PostNewLevel__Fv()")
del_items(0x80097078)
SetType(0x80097078, "void GoNewLevel__Fv()")
del_items(0x800970C0)
SetType(0x800970C0, "void PostGoBackLevel__Fv()")
del_items(0x8009716C)
SetType(0x8009716C, "void GoForwardLevel__Fv()")
del_items(0x800971C0)
SetType(0x800971C0, "void PostGoForwardLevel__Fv()")
del_items(0x8009726C)
SetType(0x8009726C, "void GoNewGame__Fv()")
del_items(0x80097290)
SetType(0x80097290, "void PostNewGame__Fv()")
del_items(0x800972B8)
SetType(0x800972B8, "void LevelToLevelInit__Fv()")
del_items(0x80097308)
SetType(0x80097308, "unsigned int GetPal__6GPaneli(struct GPanel *this, int Frm)")
del_items(0x8009734C)
SetType(0x8009734C, "struct GPanel *__6GPaneli(struct GPanel *this, int Ofs)")
del_items(0x800973B0)
SetType(0x800973B0, "void DrawFlask__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x80097824)
SetType(0x80097824, "unsigned char SpdTrimCol__Fs(short col)")
del_items(0x8009785C)
SetType(0x8009785C, "void DrawSpeedBar__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x80097F88)
SetType(0x80097F88, "void DrawSpell__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x80098124)
SetType(0x80098124, "void DrawMsgWindow__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x80098174)
SetType(0x80098174, "int DrawDurThingy__6GPaneliiP10ItemStructi(struct GPanel *this, int X, int Y, struct ItemStruct *Item, int ItemType)")
del_items(0x80098440)
SetType(0x80098440, "void DrawDurIcon__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x8009856C)
SetType(0x8009856C, "void Print__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)")
del_items(0x80098684)
SetType(0x80098684, "int GetMaxOtPos__7CBlocks_addr_80098684()")
del_items(0x8009868C)
SetType(0x8009868C, "struct PAL *GetPal__7TextDati_addr_8009868C(struct TextDat *this, int PalNum)")
del_items(0x800986A8)
SetType(0x800986A8, "struct FRAME_HDR *GetFr__7TextDati_addr_800986A8(struct TextDat *this, int FrNum)")
del_items(0x800986C4)
SetType(0x800986C4, "void PrintCDWaitTask__FP4TASK(struct TASK *T)")
del_items(0x80098800)
SetType(0x80098800, "void InitCDWaitIcon__Fv()")
del_items(0x80098834)
SetType(0x80098834, "void STR_Debug__FP6SFXHDRPce(struct SFXHDR *sfh, char *e)")
del_items(0x80098848)
SetType(0x80098848, "void STR_SystemTask__FP4TASK(struct TASK *T)")
del_items(0x80098878)
SetType(0x80098878, "void STR_AllocBuffer__Fv()")
del_items(0x800988B0)
SetType(0x800988B0, "void STR_Init__Fv()")
del_items(0x800989DC)
SetType(0x800989DC, "struct SFXHDR *STR_InitStream__Fc(char flag)")
del_items(0x80098B04)
SetType(0x80098B04, "struct SFXHDR *STR_PlaySound__FUscic(unsigned short Name, char flag, int volume, char loop)")
del_items(0x80098D4C)
SetType(0x80098D4C, "void STR_setvolume__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x80098E18)
SetType(0x80098E18, "void STR_setpitch__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x80098E64)
SetType(0x80098E64, "void STR_PlaySFX__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x80098F70)
SetType(0x80098F70, "void STR_pauseall__Fv()")
del_items(0x80098FE4)
SetType(0x80098FE4, "void STR_resumeall__Fv()")
del_items(0x80099058)
SetType(0x80099058, "void STR_CloseStream__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x800990C4)
SetType(0x800990C4, "void STR_SoundCommand__FP6SFXHDRi(struct SFXHDR *sfh, int Command)")
del_items(0x800991B0)
SetType(0x800991B0, "char STR_Command__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x800993A0)
SetType(0x800993A0, "void STR_DMAControl__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x80099468)
SetType(0x80099468, "void STR_PlayStream__FP6SFXHDRPUci(struct SFXHDR *sfh, unsigned char *Src, int size)")
del_items(0x800996E8)
SetType(0x800996E8, "void STR_AsyncWeeTASK__FP4TASK(struct TASK *T)")
del_items(0x800999C0)
SetType(0x800999C0, "void STR_AsyncTASK__FP4TASK(struct TASK *T)")
del_items(0x80099DA8)
SetType(0x80099DA8, "void STR_StreamMainTask__FP6SFXHDRc(struct SFXHDR *sfh, char FileType)")
del_items(0x80099ED4)
SetType(0x80099ED4, "void SND_Monitor__FP4TASK(struct TASK *T)")
del_items(0x80099F60)
SetType(0x80099F60, "void SPU_OnceOnlyInit__Fv()")
del_items(0x80099F98)
SetType(0x80099F98, "void SPU_Init__Fv()")
del_items(0x8009A0A0)
SetType(0x8009A0A0, "int SND_FindChannel__Fv()")
del_items(0x8009A10C)
SetType(0x8009A10C, "void SND_ClearBank__Fv()")
del_items(0x8009A17C)
SetType(0x8009A17C, "bool SndLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)")
del_items(0x8009A1F4)
SetType(0x8009A1F4, "void SND_LoadBank__Fi(int lvlnum)")
del_items(0x8009A318)
SetType(0x8009A318, "int SND_FindSFX__FUs(unsigned short Name)")
del_items(0x8009A3F4)
SetType(0x8009A3F4, "void SND_StopSnd__Fi(int voice)")
del_items(0x8009A428)
SetType(0x8009A428, "bool SND_IsSfxPlaying__Fi(int SFXNo)")
del_items(0x8009A464)
SetType(0x8009A464, "int SND_RemapSnd__Fi(int SFXNo)")
del_items(0x8009A4D8)
SetType(0x8009A4D8, "int SND_PlaySnd__FUsiii(unsigned short Name, int vol, int pan, int pitchadj)")
del_items(0x8009A6F0)
SetType(0x8009A6F0, "void AS_CallBack0__Fi(int ah)")
del_items(0x8009A75C)
SetType(0x8009A75C, "void AS_CallBack1__Fi(int ah)")
del_items(0x8009A7C8)
SetType(0x8009A7C8, "void AS_WasLastBlock__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)")
del_items(0x8009A890)
SetType(0x8009A890, "int AS_OpenStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)")
del_items(0x8009A930)
SetType(0x8009A930, "char AS_GetBlock__FP6SFXHDR(struct SFXHDR *sfh)")
del_items(0x8009A960)
SetType(0x8009A960, "void AS_CloseStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)")
del_items(0x8009A9B4)
SetType(0x8009A9B4, "unsigned short SCR_GetBlackClut__Fv()")
del_items(0x8009A9C0)
SetType(0x8009A9C0, "void SCR_Open__Fv()")
del_items(0x8009A9F8)
SetType(0x8009A9F8, "void SCR_DumpClut__Fv()")
del_items(0x8009AA6C)
SetType(0x8009AA6C, "unsigned short SCR_NeedHighlightPal__FUsUsi(unsigned short Clut, unsigned short PixVal, int NumOfCols)")
del_items(0x8009AAA0)
SetType(0x8009AAA0, "void Init__13PalCollectionPC7InitPos(struct PalCollection *this, struct InitPos *IPos)")
del_items(0x8009AB30)
SetType(0x8009AB30, "struct PalEntry *FindPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)")
del_items(0x8009AC0C)
SetType(0x8009AC0C, "struct PalEntry *NewPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)")
del_items(0x8009AC8C)
SetType(0x8009AC8C, "void MakePal__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)")
del_items(0x8009AD2C)
SetType(0x8009AD2C, "unsigned short GetHighlightPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)")
del_items(0x8009AD74)
SetType(0x8009AD74, "void UpdatePals__13PalCollection(struct PalCollection *this)")
del_items(0x8009ADE8)
SetType(0x8009ADE8, "void SCR_Handler__Fv()")
del_items(0x8009AE10)
SetType(0x8009AE10, "int GetNumOfObjs__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)")
del_items(0x8009AE18)
SetType(0x8009AE18, "struct PalEntry *GetObj__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)")
del_items(0x8009AE54)
SetType(0x8009AE54, "void Init__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)")
del_items(0x8009AEB8)
SetType(0x8009AEB8, "void MoveFromUsedToUnused__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)")
del_items(0x8009AF10)
SetType(0x8009AF10, "void MoveFromUnusedToUsed__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)")
del_items(0x8009AF68)
SetType(0x8009AF68, "void Set__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)")
del_items(0x8009AF7C)
SetType(0x8009AF7C, "void Set__8PalEntryRC7InitPos(struct PalEntry *this, struct InitPos *NewPos)")
del_items(0x8009AFA8)
SetType(0x8009AFA8, "bool SetJustUsed__8PalEntryb(struct PalEntry *this, bool NewVal)")
del_items(0x8009AFB0)
SetType(0x8009AFB0, "void Init__8PalEntry(struct PalEntry *this)")
del_items(0x8009AFB8)
SetType(0x8009AFB8, "unsigned short GetClut__C8PalEntry(struct PalEntry *this)")
del_items(0x8009AFC4)
SetType(0x8009AFC4, "bool IsEqual__C8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)")
del_items(0x8009AFFC)
SetType(0x8009AFFC, "struct PalEntry *GetNext__Ct11TLinkedList1Z8PalEntry(struct t11TLinkedList1Z8PalEntry *this)")
del_items(0x8009B008)
SetType(0x8009B008, "void AddToList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)")
del_items(0x8009B028)
SetType(0x8009B028, "void DetachFromList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)")
del_items(0x8009B074)
SetType(0x8009B074, "void stub__FPcPv(char *e, void *argptr)")
del_items(0x8009B07C)
SetType(0x8009B07C, "void new_eprint__FPcT0i(char *Text, char *File, int Line)")
del_items(0x8009B0B0)
SetType(0x8009B0B0, "void TonysGameTask__FP4TASK(struct TASK *T)")
del_items(0x8009B138)
SetType(0x8009B138, "void SetAmbientLight__Fv()")
del_items(0x8009B1F8)
SetType(0x8009B1F8, "void SetDemoPlayer__Fv()")
del_items(0x8009B228)
SetType(0x8009B228, "void print_demo_task__FP4TASK(struct TASK *T)")
del_items(0x8009B568)
SetType(0x8009B568, "void TonysDummyPoll__Fv()")
del_items(0x8009B594)
SetType(0x8009B594, "void SetTonyPoll__Fv()")
del_items(0x8009B5A0)
SetType(0x8009B5A0, "void ClearTonyPoll__Fv()")
del_items(0x8009B5AC)
SetType(0x8009B5AC, "void load_demo_pad_data__FUl(unsigned long demo_num)")
del_items(0x8009B60C)
SetType(0x8009B60C, "void save_demo_pad_data__FUl(unsigned long demo_num)")
del_items(0x8009B66C)
SetType(0x8009B66C, "void set_pad_record_play__Fi(int level)")
del_items(0x8009B6E0)
SetType(0x8009B6E0, "void start_demo__Fv()")
del_items(0x8009B6F0)
SetType(0x8009B6F0, "void SetQuest__Fv()")
del_items(0x8009B6F8)
SetType(0x8009B6F8, "void DrawManaShield__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8009B700)
SetType(0x8009B700, "void ManaTask__FP4TASK(struct TASK *T)")
del_items(0x8009B708)
SetType(0x8009B708, "void tony__Fv()")
del_items(0x8009B748)
SetType(0x8009B748, "void GLUE_SetMonsterList__Fi(int List)")
del_items(0x8009B754)
SetType(0x8009B754, "int GLUE_GetMonsterList__Fv()")
del_items(0x8009B760)
SetType(0x8009B760, "void GLUE_SuspendGame__Fv()")
del_items(0x8009B7B4)
SetType(0x8009B7B4, "void GLUE_ResumeGame__Fv()")
del_items(0x8009B808)
SetType(0x8009B808, "void GLUE_PreTown__Fv()")
del_items(0x8009B838)
SetType(0x8009B838, "void GLUE_PreDun__Fv()")
del_items(0x8009B840)
SetType(0x8009B840, "bool GLUE_Finished__Fv()")
del_items(0x8009B84C)
SetType(0x8009B84C, "void GLUE_SetFinished__Fb(bool NewFinished)")
del_items(0x8009B858)
SetType(0x8009B858, "void GLUE_StartBg__Fibi(int TextId, bool IsTown, int Level)")
del_items(0x8009B8C0)
SetType(0x8009B8C0, "bool GLUE_SetShowGameScreenFlag__Fb(bool NewFlag)")
del_items(0x8009B8D0)
SetType(0x8009B8D0, "bool GLUE_GetShowGameScreenFlag__Fv()")
del_items(0x8009B8DC)
SetType(0x8009B8DC, "bool GLUE_SetHomingScrollFlag__Fb(bool NewFlag)")
del_items(0x8009B8EC)
SetType(0x8009B8EC, "bool GLUE_SetShowPanelFlag__Fb(bool NewFlag)")
del_items(0x8009B8FC)
SetType(0x8009B8FC, "bool GLUE_HasGameStarted__Fv()")
del_items(0x8009B908)
SetType(0x8009B908, "void DoShowPanelGFX__FP6GPanelT0(struct GPanel *P1, struct GPanel *P2)")
del_items(0x8009B9E0)
SetType(0x8009B9E0, "void GLUE_DoQuake__Fii(int Time, int Amount)")
del_items(0x8009B9F0)
SetType(0x8009B9F0, "void BgTask__FP4TASK(struct TASK *T)")
del_items(0x8009BE9C)
SetType(0x8009BE9C, "struct PInf *FindPlayerChar__FPc(char *Id)")
del_items(0x8009BF34)
SetType(0x8009BF34, "struct PInf *FindPlayerChar__Fiii(int Char, int Wep, int Arm)")
del_items(0x8009BF90)
SetType(0x8009BF90, "struct PInf *FindPlayerChar__FP12PlayerStruct(struct PlayerStruct *P)")
del_items(0x8009BFC0)
SetType(0x8009BFC0, "int FindPlayerChar__FP12PlayerStructb(struct PlayerStruct *P, bool InTown)")
del_items(0x8009C08C)
SetType(0x8009C08C, "void MakeSurePlayerDressedProperly__FR7CPlayerR12PlayerStructbT2(struct CPlayer *Player, struct PlayerStruct *Plr, bool InTown, bool Blocking)")
del_items(0x8009C104)
SetType(0x8009C104, "struct MonstList *GLUE_GetCurrentList__Fi(int Level)")
del_items(0x8009C1B0)
SetType(0x8009C1B0, "void GLUE_StartGameExit__Fv()")
del_items(0x8009C21C)
SetType(0x8009C21C, "void GLUE_Init__Fv()")
del_items(0x8009C224)
SetType(0x8009C224, "int GetTexId__7CPlayer(struct CPlayer *this)")
del_items(0x8009C230)
SetType(0x8009C230, "void SetTown__7CBlocksb(struct CBlocks *this, bool Val)")
del_items(0x8009C238)
SetType(0x8009C238, "void MoveToScrollTarget__7CBlocks(struct CBlocks *this)")
del_items(0x8009C24C)
SetType(0x8009C24C, "void SetDemoKeys__FPi(int *buffer)")
del_items(0x8009C324)
SetType(0x8009C324, "void RestoreDemoKeys__FPi(int *buffer)")
del_items(0x8009C3B4)
SetType(0x8009C3B4, "char *get_action_str__Fii(int pval, int combo)")
del_items(0x8009C42C)
SetType(0x8009C42C, "int get_key_pad__Fi(int n)")
del_items(0x8009C464)
SetType(0x8009C464, "bool checkvalid__Fv()")
del_items(0x8009C4C8)
SetType(0x8009C4C8, "bool RemoveCtrlScreen__Fv()")
del_items(0x8009C524)
SetType(0x8009C524, "unsigned char Init_ctrl_pos__Fv()")
del_items(0x8009C5DC)
SetType(0x8009C5DC, "int remove_padval__Fi(int p)")
del_items(0x8009C61C)
SetType(0x8009C61C, "int remove_comboval__Fib(int p, bool all)")
del_items(0x8009C664)
SetType(0x8009C664, "unsigned char set_buttons__Fii(int cline, int n)")
del_items(0x8009C7DC)
SetType(0x8009C7DC, "void restore_controller_settings__F8CTRL_SET(enum CTRL_SET s)")
del_items(0x8009C880)
SetType(0x8009C880, "bool only_one_button__Fi(int p)")
del_items(0x8009C8AC)
SetType(0x8009C8AC, "unsigned char main_ctrl_setup__Fv()")
del_items(0x8009CD88)
SetType(0x8009CD88, "void PrintCtrlString__FiiUcic(int x, int y, unsigned char cjustflag, int str_num, int col)")
del_items(0x8009D2DC)
SetType(0x8009D2DC, "void DrawCtrlSetup__Fv()")
del_items(0x8009D7DC)
SetType(0x8009D7DC, "void _GLOBAL__D_ctrlflag()")
del_items(0x8009D804)
SetType(0x8009D804, "void _GLOBAL__I_ctrlflag()")
del_items(0x8009D82C)
SetType(0x8009D82C, "unsigned short GetTick__C4CPad(struct CPad *this)")
del_items(0x8009D854)
SetType(0x8009D854, "unsigned short GetDown__C4CPad_addr_8009D854(struct CPad *this)")
del_items(0x8009D87C)
SetType(0x8009D87C, "unsigned short GetUp__C4CPad(struct CPad *this)")
del_items(0x8009D8A4)
SetType(0x8009D8A4, "unsigned short GetCur__C4CPad_addr_8009D8A4(struct CPad *this)")
del_items(0x8009D8CC)
SetType(0x8009D8CC, "void SetPadTickMask__4CPadUs(struct CPad *this, unsigned short mask)")
del_items(0x8009D8D4)
SetType(0x8009D8D4, "void SetPadTick__4CPadUs(struct CPad *this, unsigned short tick)")
del_items(0x8009D8DC)
SetType(0x8009D8DC, "void SetRGB__6DialogUcUcUc_addr_8009D8DC(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x8009D8FC)
SetType(0x8009D8FC, "void SetBorder__6Dialogi_addr_8009D8FC(struct Dialog *this, int Type)")
del_items(0x8009D904)
SetType(0x8009D904, "void ___6Dialog_addr_8009D904(struct Dialog *this, int __in_chrg)")
del_items(0x8009D92C)
SetType(0x8009D92C, "struct Dialog *__6Dialog_addr_8009D92C(struct Dialog *this)")
del_items(0x8009D9AC)
SetType(0x8009D9AC, "int GetOverlayOtBase__7CBlocks_addr_8009D9AC()")
del_items(0x8009D9B4)
SetType(0x8009D9B4, "void color_cycle__FP4TASK(struct TASK *T)")
del_items(0x8009DD74)
SetType(0x8009DD74, "void penta_cycle_task__FP4TASK(struct TASK *T)")
del_items(0x8009DEF4)
SetType(0x8009DEF4, "void DrawFlameLogo__Fv()")
del_items(0x8009E0A4)
SetType(0x8009E0A4, "void TitleScreen__FP7CScreen(struct CScreen *FeScreen)")
del_items(0x8009E0F8)
SetType(0x8009E0F8, "void DaveLDummyPoll__Fv()")
del_items(0x8009E100)
SetType(0x8009E100, "void DaveL__Fv()")
del_items(0x8009E128)
SetType(0x8009E128, "void DoReflection__FP8POLY_FT4iii(struct POLY_FT4 *Ft4, int R, int G, int B)")
del_items(0x8009E468)
SetType(0x8009E468, "void mteleportfx__Fv()")
del_items(0x8009E77C)
SetType(0x8009E77C, "void invistimer__Fv()")
del_items(0x8009E854)
SetType(0x8009E854, "void setUVparams__FP8POLY_FT4P9FRAME_HDR(struct POLY_FT4 *Ft4, struct FRAME_HDR *Fr)")
del_items(0x8009E8E4)
SetType(0x8009E8E4, "void drawparticle__Fiiiiii(int x, int y, int scale, int anim, int colour, int OtPos)")
del_items(0x8009EADC)
SetType(0x8009EADC, "void drawpolyF4__Fiiiiii(int x, int y, int w, int h, int colour, int OtPos)")
del_items(0x8009EC10)
SetType(0x8009EC10, "void drawpolyG4__Fiiiiiiii(int x, int y, int w, int h1, int h2, int colour0, int colour1, int OtPos)")
del_items(0x8009EDE0)
SetType(0x8009EDE0, "void particlejump__Fii(int ScrX, int ScrY)")
del_items(0x8009EFB0)
SetType(0x8009EFB0, "void doparticlejump__Fv()")
del_items(0x8009F144)
SetType(0x8009F144, "void StartPartJump__Fiiiii(int mi, int height, int scale, int colour, int OtPos)")
del_items(0x8009F298)
SetType(0x8009F298, "void MonstPartJump__Fi(int m)")
del_items(0x8009F3B8)
SetType(0x8009F3B8, "void doparticlechain__Fiiiiiiiiiiii(int sx, int sy, int dx, int dy, int count, int scale, int scaledec, int semitrans, int randomize, int colour, int OtPos, int source)")
del_items(0x8009F708)
SetType(0x8009F708, "void ParticleMissile__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)")
del_items(0x8009F7C4)
SetType(0x8009F7C4, "void Teleportfx__Fiiiiiiii(int scrnx, int scrny, int width, int height, int scale, int colmask, int numpart, int OtPos)")
del_items(0x8009FAC4)
SetType(0x8009FAC4, "void ResurrectFX__Fiiii(int x, int height, int scale, int OtPos)")
del_items(0x8009FCEC)
SetType(0x8009FCEC, "void ParticleExp__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)")
del_items(0x8009FD84)
SetType(0x8009FD84, "void GetPlrPos__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)")
del_items(0x8009FEA8)
SetType(0x8009FEA8, "void healFX__Fv()")
del_items(0x8009FFE4)
SetType(0x8009FFE4, "void HealStart__Fi(int plr)")
del_items(0x800A0018)
SetType(0x800A0018, "void HealotherStart__Fi(int plr)")
del_items(0x800A0050)
SetType(0x800A0050, "void TeleStart__Fi(int plr)")
del_items(0x800A0110)
SetType(0x800A0110, "void TeleStop__Fi(int plr)")
del_items(0x800A013C)
SetType(0x800A013C, "void PhaseStart__Fi(int plr)")
del_items(0x800A0170)
SetType(0x800A0170, "void PhaseEnd__Fi(int plr)")
del_items(0x800A019C)
SetType(0x800A019C, "void ApocInit__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)")
del_items(0x800A0384)
SetType(0x800A0384, "void ApocaStart__Fi(int plr)")
del_items(0x800A03E8)
SetType(0x800A03E8, "void DaveLTask__FP4TASK(struct TASK *T)")
del_items(0x800A04B8)
SetType(0x800A04B8, "void PRIM_GetPrim__FPP7POLY_G4(struct POLY_G4 **Prim)")
del_items(0x800A0534)
SetType(0x800A0534, "void PRIM_GetPrim__FPP7POLY_F4(struct POLY_F4 **Prim)")
del_items(0x800A05B0)
SetType(0x800A05B0, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800A05B0(struct POLY_FT4 **Prim)")
del_items(0x800A062C)
SetType(0x800A062C, "struct CPlayer *GetPlayer__7CPlayeri(int PNum)")
del_items(0x800A067C)
SetType(0x800A067C, "int GetLastOtPos__C7CPlayer(struct CPlayer *this)")
del_items(0x800A0688)
SetType(0x800A0688, "int GetOtPos__7CBlocksi_addr_800A0688(struct CBlocks *this, int LogicalY)")
del_items(0x800A06C4)
SetType(0x800A06C4, "struct FRAME_HDR *GetFr__7TextDati_addr_800A06C4(struct TextDat *this, int FrNum)")
del_items(0x800A06E0)
SetType(0x800A06E0, "void SetQSpell__Fiii(int pnum, int Spell, int type)")
del_items(0x800A0700)
SetType(0x800A0700, "void release_spell__Fi(int pnum)")
del_items(0x800A0764)
SetType(0x800A0764, "void select_belt_item__Fi(int pnum)")
del_items(0x800A076C)
SetType(0x800A076C, "unsigned char any_belt_items__Fv()")
del_items(0x800A07D4)
SetType(0x800A07D4, "void get_last_inv__Fv()")
del_items(0x800A0900)
SetType(0x800A0900, "void get_next_inv__Fv()")
del_items(0x800A0A34)
SetType(0x800A0A34, "void pad_func_up__Fi(int pnum)")
del_items(0x800A0A60)
SetType(0x800A0A60, "void pad_func_down__Fi(int pnum)")
del_items(0x800A0A8C)
SetType(0x800A0A8C, "void pad_func_left__Fi(int pnum)")
del_items(0x800A0A94)
SetType(0x800A0A94, "void pad_func_right__Fi(int pnum)")
del_items(0x800A0A9C)
SetType(0x800A0A9C, "void pad_func_select__Fi(int pnum)")
del_items(0x800A0B60)
SetType(0x800A0B60, "void SetFindMonsterXY__FP12PlayerStructi(struct PlayerStruct *p, int i)")
del_items(0x800A0BF0)
SetType(0x800A0BF0, "void pad_func_Attack__Fi(int pnum)")
del_items(0x800A10A4)
SetType(0x800A10A4, "void pad_func_Action__Fi(int pnum)")
del_items(0x800A145C)
SetType(0x800A145C, "void InitTargetCursor__Fi(int pnum)")
del_items(0x800A1490)
SetType(0x800A1490, "void RemoveTargetCursor__Fi(int pnum)")
del_items(0x800A14D8)
SetType(0x800A14D8, "bool TargetingSpell__Fi(int sp)")
del_items(0x800A1520)
SetType(0x800A1520, "void pad_func_Cast_Spell__Fi(int pnum)")
del_items(0x800A1920)
SetType(0x800A1920, "void pad_func_Use_Item__Fi(int pnum)")
del_items(0x800A1B54)
SetType(0x800A1B54, "void pad_func_BeltList__Fi(int pnum)")
del_items(0x800A1CBC)
SetType(0x800A1CBC, "void pad_func_Chr__Fi(int pnum)")
del_items(0x800A1DF0)
SetType(0x800A1DF0, "void pad_func_Inv__Fi(int pnum)")
del_items(0x800A1F20)
SetType(0x800A1F20, "void pad_func_SplBook__Fi(int pnum)")
del_items(0x800A2050)
SetType(0x800A2050, "void pad_func_QLog__Fi(int pnum)")
del_items(0x800A2144)
SetType(0x800A2144, "void pad_func_SpellBook__Fi(int pnum)")
del_items(0x800A221C)
SetType(0x800A221C, "void pad_func_AutoMap__Fi(int pnum)")
del_items(0x800A22D8)
SetType(0x800A22D8, "void pad_func_Quick_Spell__Fi(int pnum)")
del_items(0x800A244C)
SetType(0x800A244C, "void check_inv__FiPci(int pnum, char *ilist, int entries)")
del_items(0x800A26CC)
SetType(0x800A26CC, "void pad_func_Quick_Use_Health__Fi(int pnum)")
del_items(0x800A26F4)
SetType(0x800A26F4, "void pad_func_Quick_Use_Mana__Fi(int pnum)")
del_items(0x800A271C)
SetType(0x800A271C, "bool sort_gold__Fi(int pnum)")
del_items(0x800A2824)
SetType(0x800A2824, "void DrawObjSelector__FiP12PlayerStruct(int pnum, struct PlayerStruct *player)")
del_items(0x800A302C)
SetType(0x800A302C, "bool SelectorActive__Fv()")
del_items(0x800A3038)
SetType(0x800A3038, "void DrawObjTask__FP4TASK(struct TASK *T)")
del_items(0x800A3374)
SetType(0x800A3374, "void add_area_find_object__Fiii(int index, int x, int y)")
del_items(0x800A33E4)
SetType(0x800A33E4, "unsigned char CheckRangeObject__Fiii(int x, int y, int distance)")
del_items(0x800A375C)
SetType(0x800A375C, "unsigned char CheckArea__FiiiUci(int xx, int yy, int range, unsigned char allflag, int pnum)")
del_items(0x800A3D44)
SetType(0x800A3D44, "void PlacePlayer__FiiiUc(int pnum, int x, int y, unsigned char do_current)")
del_items(0x800A3EBC)
SetType(0x800A3EBC, "void _GLOBAL__D_gplayer()")
del_items(0x800A3EE4)
SetType(0x800A3EE4, "void _GLOBAL__I_gplayer()")
del_items(0x800A3F0C)
SetType(0x800A3F0C, "void SetRGB__6DialogUcUcUc_addr_800A3F0C(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800A3F2C)
SetType(0x800A3F2C, "void SetBack__6Dialogi_addr_800A3F2C(struct Dialog *this, int Type)")
del_items(0x800A3F34)
SetType(0x800A3F34, "void SetBorder__6Dialogi_addr_800A3F34(struct Dialog *this, int Type)")
del_items(0x800A3F3C)
SetType(0x800A3F3C, "void ___6Dialog_addr_800A3F3C(struct Dialog *this, int __in_chrg)")
del_items(0x800A3F64)
SetType(0x800A3F64, "struct Dialog *__6Dialog_addr_800A3F64(struct Dialog *this)")
del_items(0x800A3FE4)
SetType(0x800A3FE4, "bool Active__11SpellTarget(struct SpellTarget *this)")
del_items(0x800A3FF0)
SetType(0x800A3FF0, "int GetOverlayOtBase__7CBlocks_addr_800A3FF0()")
del_items(0x800A3FF8)
SetType(0x800A3FF8, "unsigned short GetDown__C4CPad_addr_800A3FF8(struct CPad *this)")
del_items(0x800A4020)
SetType(0x800A4020, "unsigned short GetCur__C4CPad_addr_800A4020(struct CPad *this)")
del_items(0x800A4048)
SetType(0x800A4048, "void DEC_AddAsDecRequestor__FP7TextDat(struct TextDat *Td)")
del_items(0x800A40C4)
SetType(0x800A40C4, "void DEC_RemoveAsDecRequestor__FP7TextDat(struct TextDat *Td)")
del_items(0x800A411C)
SetType(0x800A411C, "void DEC_DoDecompRequests__Fv()")
del_items(0x800A4178)
SetType(0x800A4178, "int FindThisTd__FP7TextDat(struct TextDat *Td)")
del_items(0x800A41B0)
SetType(0x800A41B0, "int FindEmptyIndex__Fv()")
del_items(0x800A41E8)
SetType(0x800A41E8, "void MY_TSK_Sleep__Fi(int time)")
del_items(0x800A4240)
SetType(0x800A4240, "void UPDATEPROGRESS__Fi(int inc)")
del_items(0x800A430C)
SetType(0x800A430C, "bool IsGameLoading__Fv()")
del_items(0x800A4318)
SetType(0x800A4318, "void DrawCutScreen__Fi(int lev)")
del_items(0x800A4754)
SetType(0x800A4754, "void PutUpCutScreenTSK__FP4TASK(struct TASK *T)")
del_items(0x800A481C)
SetType(0x800A481C, "void PutUpCutScreen__Fi(int lev)")
del_items(0x800A496C)
SetType(0x800A496C, "void TakeDownCutScreen__Fv()")
del_items(0x800A4A10)
SetType(0x800A4A10, "void FinishBootProgress__Fv()")
del_items(0x800A4A9C)
SetType(0x800A4A9C, "void FinishProgress__Fv()")
del_items(0x800A4AFC)
SetType(0x800A4AFC, "void PRIM_GetPrim__FPP7POLY_G4_addr_800A4AFC(struct POLY_G4 **Prim)")
del_items(0x800A4B78)
SetType(0x800A4B78, "void _GLOBAL__D_CutScr()")
del_items(0x800A4BA0)
SetType(0x800A4BA0, "void _GLOBAL__I_CutScr()")
del_items(0x800A4BC8)
SetType(0x800A4BC8, "void SetRGB__6DialogUcUcUc_addr_800A4BC8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800A4BE8)
SetType(0x800A4BE8, "void SetBack__6Dialogi_addr_800A4BE8(struct Dialog *this, int Type)")
del_items(0x800A4BF0)
SetType(0x800A4BF0, "void SetBorder__6Dialogi_addr_800A4BF0(struct Dialog *this, int Type)")
del_items(0x800A4BF8)
SetType(0x800A4BF8, "void ___6Dialog_addr_800A4BF8(struct Dialog *this, int __in_chrg)")
del_items(0x800A4C20)
SetType(0x800A4C20, "struct Dialog *__6Dialog_addr_800A4C20(struct Dialog *this)")
del_items(0x800A4CA0)
SetType(0x800A4CA0, "int GetOverlayOtBase__7CBlocks_addr_800A4CA0()")
del_items(0x800A4CA8)
SetType(0x800A4CA8, "void ___7CScreen(struct CScreen *this, int __in_chrg)")
del_items(0x800A4CC8)
SetType(0x800A4CC8, "void init_mem_card__FPFii_vUc(void (*handler)(), unsigned char read_dir)")
del_items(0x800A4F00)
SetType(0x800A4F00, "void memcard_event__Fii(int evt, int side)")
del_items(0x800A4F38)
SetType(0x800A4F38, "void init_card__Fib(int card_number, bool read_dir)")
del_items(0x800A5004)
SetType(0x800A5004, "int ping_card__Fi(int card_number)")
del_items(0x800A5098)
SetType(0x800A5098, "void DealWithCard__Fi(int side)")
del_items(0x800A515C)
SetType(0x800A515C, "void CardUpdateTask__FP4TASK(struct TASK *T)")
del_items(0x800A51B0)
SetType(0x800A51B0, "void MemcardON__Fv()")
del_items(0x800A521C)
SetType(0x800A521C, "void MemcardOFF__Fv()")
del_items(0x800A5254)
SetType(0x800A5254, "void CheckSavedOptions__Fv()")
del_items(0x800A5354)
SetType(0x800A5354, "void card_removed__Fi(int card_number)")
del_items(0x800A538C)
SetType(0x800A538C, "int read_card_block__Fii(int card_number, int block)")
del_items(0x800A53D4)
SetType(0x800A53D4, "int test_hw_event__Fv()")
del_items(0x800A5454)
SetType(0x800A5454, "void ActivateMemcard__Fii(int card1, int card2)")
del_items(0x800A5490)
SetType(0x800A5490, "void ActivateCharacterMemcard__Fii(int card1, int card2)")
del_items(0x800A554C)
SetType(0x800A554C, "void ShowCardActionText__Fv()")
del_items(0x800A5830)
SetType(0x800A5830, "int CountdownLoad__Fi(int Counter)")
del_items(0x800A5A40)
SetType(0x800A5A40, "int CountdownSave__Fi(int Counter)")
del_items(0x800A5B20)
SetType(0x800A5B20, "void ShowLoadingBox__Fi(int Text)")
del_items(0x800A5DAC)
SetType(0x800A5DAC, "void KillItemDead__Fiii(int pnum, int InvPos, int Idx)")
del_items(0x800A63F0)
SetType(0x800A63F0, "void DoRemoveSpellItems__Fii(int plrno, int item)")
del_items(0x800A6528)
SetType(0x800A6528, "void ClearLoadCharItems__Fv()")
del_items(0x800A65C8)
SetType(0x800A65C8, "void PantsDelay__Fv()")
del_items(0x800A6604)
SetType(0x800A6604, "void SetRGB__6DialogUcUcUc_addr_800A6604(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800A6624)
SetType(0x800A6624, "void SetBack__6Dialogi_addr_800A6624(struct Dialog *this, int Type)")
del_items(0x800A662C)
SetType(0x800A662C, "void SetBorder__6Dialogi_addr_800A662C(struct Dialog *this, int Type)")
del_items(0x800A6634)
SetType(0x800A6634, "void ___6Dialog_addr_800A6634(struct Dialog *this, int __in_chrg)")
del_items(0x800A665C)
SetType(0x800A665C, "struct Dialog *__6Dialog_addr_800A665C(struct Dialog *this)")
del_items(0x800A66DC)
SetType(0x800A66DC, "int GetOverlayOtBase__7CBlocks_addr_800A66DC()")
del_items(0x800A66E4)
SetType(0x800A66E4, "void PrintSelectBack__FUs(unsigned short Str)")
del_items(0x800A6774)
SetType(0x800A6774, "void DrawDialogBox__FiiP4RECTiiii(int e, int f, struct RECT *DRect, int X, int Y, int W, int H)")
del_items(0x800A6858)
SetType(0x800A6858, "void DrawSpinner__FiiUcUcUciiibiT8T8Uc(int x, int y, unsigned char SpinR, unsigned char SpinG, int SpinB, int spinradius, int spinbright, int angle, bool Sparkle, int OtPos, bool cross, bool iso, int SinStep)")
del_items(0x800A6ED4)
SetType(0x800A6ED4, "void SetLoadedLang__F9LANG_TYPE(enum LANG_TYPE LoadLang)")
del_items(0x800A6F84)
SetType(0x800A6F84, "void ChangeLang__Fv()")
del_items(0x800A7048)
SetType(0x800A7048, "void DrawLeftRight__Fv()")
del_items(0x800A7050)
SetType(0x800A7050, "void PrintMono__Fi(int ypos)")
del_items(0x800A7108)
SetType(0x800A7108, "void DrawMenu__Fi(int MenuNo)")
del_items(0x800A8128)
SetType(0x800A8128, "int who_pressed__Fi(int pval)")
del_items(0x800A81B0)
SetType(0x800A81B0, "void CharacterLoadPad__Fv()")
del_items(0x800A8704)
SetType(0x800A8704, "void MemcardPad__Fv()")
del_items(0x800A8FE8)
SetType(0x800A8FE8, "void SwitchMONO__Fv()")
del_items(0x800A9034)
SetType(0x800A9034, "void SoundPad__Fv()")
del_items(0x800A9A3C)
SetType(0x800A9A3C, "void CentrePad__Fv()")
del_items(0x800A9C80)
SetType(0x800A9C80, "void CalcVolumes__Fv()")
del_items(0x800A9DDC)
SetType(0x800A9DDC, "void SetLoadedVolumes__Fv()")
del_items(0x800A9E8C)
SetType(0x800A9E8C, "void GetVolumes__Fv()")
del_items(0x800A9F28)
SetType(0x800A9F28, "void AlterSpeedMenu__F9GM_SPEEDS(enum GM_SPEEDS gs)")
del_items(0x800A9F7C)
SetType(0x800A9F7C, "void GameSpeedPad__Fv()")
del_items(0x800AA0A4)
SetType(0x800AA0A4, "void DrawOptions__FP4TASK(struct TASK *T)")
del_items(0x800AA7A0)
SetType(0x800AA7A0, "void ToggleOptions__Fv()")
del_items(0x800AA948)
SetType(0x800AA948, "void FormatPad__Fv()")
del_items(0x800AABE8)
SetType(0x800AABE8, "void SaveOverwritePad__Fv()")
del_items(0x800AADBC)
SetType(0x800AADBC, "void CharCardSelectMemcardPad__Fv()")
del_items(0x800AB004)
SetType(0x800AB004, "void LAMBO_MovePad__FP4CPad(struct CPad *P)")
del_items(0x800AB1B4)
SetType(0x800AB1B4, "void PRIM_GetPrim__FPP7POLY_G4_addr_800AB1B4(struct POLY_G4 **Prim)")
del_items(0x800AB230)
SetType(0x800AB230, "unsigned short GetTick__C4CPad_addr_800AB230(struct CPad *this)")
del_items(0x800AB258)
SetType(0x800AB258, "unsigned short GetDown__C4CPad_addr_800AB258(struct CPad *this)")
del_items(0x800AB280)
SetType(0x800AB280, "unsigned short GetUp__C4CPad_addr_800AB280(struct CPad *this)")
del_items(0x800AB2A8)
SetType(0x800AB2A8, "void SetPadTickMask__4CPadUs_addr_800AB2A8(struct CPad *this, unsigned short mask)")
del_items(0x800AB2B0)
SetType(0x800AB2B0, "void SetPadTick__4CPadUs_addr_800AB2B0(struct CPad *this, unsigned short tick)")
del_items(0x800AB2B8)
SetType(0x800AB2B8, "void SetRGB__6DialogUcUcUc_addr_800AB2B8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800AB2D8)
SetType(0x800AB2D8, "void SetBack__6Dialogi_addr_800AB2D8(struct Dialog *this, int Type)")
del_items(0x800AB2E0)
SetType(0x800AB2E0, "void SetBorder__6Dialogi_addr_800AB2E0(struct Dialog *this, int Type)")
del_items(0x800AB2E8)
SetType(0x800AB2E8, "void ___6Dialog_addr_800AB2E8(struct Dialog *this, int __in_chrg)")
del_items(0x800AB310)
SetType(0x800AB310, "struct Dialog *__6Dialog_addr_800AB310(struct Dialog *this)")
del_items(0x800AB390)
SetType(0x800AB390, "int GetOverlayOtBase__7CBlocks_addr_800AB390()")
del_items(0x800AB398)
SetType(0x800AB398, "struct FRAME_HDR *GetFr__7TextDati_addr_800AB398(struct TextDat *this, int FrNum)")
del_items(0x800AB3B4)
SetType(0x800AB3B4, "void SetBirdFrig__Fb(bool f)")
del_items(0x800AB3E8)
SetType(0x800AB3E8, "unsigned char BirdDistanceOK__Fiiii(int WorldXa, int WorldYa, int WorldXb, int WorldYb)")
del_items(0x800AB440)
SetType(0x800AB440, "void AlterBirdPos__FP10BIRDSTRUCTUc(struct BIRDSTRUCT *b, unsigned char rnd)")
del_items(0x800AB5A0)
SetType(0x800AB5A0, "void BirdWorld__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int wx, int wy)")
del_items(0x800AB61C)
SetType(0x800AB61C, "bool CheckDist__Fii(int x, int y)")
del_items(0x800AB704)
SetType(0x800AB704, "int BirdScared__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AB830)
SetType(0x800AB830, "int GetPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AB884)
SetType(0x800AB884, "void BIRD_StartHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABA64)
SetType(0x800ABA64, "void BIRD_DoHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABB68)
SetType(0x800ABB68, "void BIRD_StartPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABBD4)
SetType(0x800ABBD4, "void BIRD_DoPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABC58)
SetType(0x800ABC58, "void BIRD_DoScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABD04)
SetType(0x800ABD04, "void CheckDirOk__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABE14)
SetType(0x800ABE14, "void BIRD_StartScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABEC0)
SetType(0x800ABEC0, "void BIRD_StartFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800ABF4C)
SetType(0x800ABF4C, "void BIRD_DoFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AC250)
SetType(0x800AC250, "void BIRD_StartLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AC25C)
SetType(0x800AC25C, "void BIRD_DoLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AC2C8)
SetType(0x800AC2C8, "void PlaceFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)")
del_items(0x800AC3C0)
SetType(0x800AC3C0, "void ProcessFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AC4B0)
SetType(0x800AC4B0, "void InitBird__Fv()")
del_items(0x800AC588)
SetType(0x800AC588, "void ProcessBird__Fv()")
del_items(0x800AC6CC)
SetType(0x800AC6CC, "int GetBirdFrame__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)")
del_items(0x800AC764)
SetType(0x800AC764, "void bscale__FP8POLY_FT4i(struct POLY_FT4 *Ft4, int height)")
del_items(0x800AC894)
SetType(0x800AC894, "void doshadow__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int x, int y)")
del_items(0x800AC9BC)
SetType(0x800AC9BC, "void DrawLBird__Fv()")
del_items(0x800ACBF0)
SetType(0x800ACBF0, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800ACBF0(struct POLY_FT4 **Prim)")
del_items(0x800ACC6C)
SetType(0x800ACC6C, "int GetOtPos__7CBlocksi_addr_800ACC6C(struct CBlocks *this, int LogicalY)")
del_items(0x800ACCA8)
SetType(0x800ACCA8, "short PlayFMV__FPcii(char *str, int w, int h)")
del_items(0x800ACE78)
SetType(0x800ACE78, "void play_movie(char *pszMovie)")
del_items(0x800ACF40)
SetType(0x800ACF40, "int GetTpY__FUs_addr_800ACF40(unsigned short tpage)")
del_items(0x800ACF5C)
SetType(0x800ACF5C, "int GetTpX__FUs_addr_800ACF5C(unsigned short tpage)")
del_items(0x800ACF68)
SetType(0x800ACF68, "void LoadKanjiFont__FPc(char *name)")
del_items(0x800AD014)
SetType(0x800AD014, "void FreeKanji__Fv()")
del_items(0x800AD020)
SetType(0x800AD020, "void ClearKanjiCount__Fv()")
del_items(0x800AD058)
SetType(0x800AD058, "void ClearKanjiBuffer__Fv()")
del_items(0x800AD09C)
SetType(0x800AD09C, "void KANJI_SetCache__F10KANJI_FRMS(enum KANJI_FRMS ct)")
del_items(0x800AD328)
SetType(0x800AD328, "void LoadKanji__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)")
del_items(0x800AD458)
SetType(0x800AD458, "bool SetKanjiLoaded__Fb(bool loaded)")
del_items(0x800AD468)
SetType(0x800AD468, "bool IsKanjiLoaded__Fv()")
del_items(0x800AD474)
SetType(0x800AD474, "void KanjiSetTSK__FP4TASK(struct TASK *T)")
del_items(0x800AD4CC)
SetType(0x800AD4CC, "void KANJI_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)")
del_items(0x800AD544)
SetType(0x800AD544, "int inmem__Fs(short k)")
del_items(0x800AD5CC)
SetType(0x800AD5CC, "unsigned short getb__FUs(unsigned short n)")
del_items(0x800AD5DC)
SetType(0x800AD5DC, "void ShadeBuff__FPUcii(unsigned char *b, int col, int border)")
del_items(0x800AD784)
SetType(0x800AD784, "void Crunch__FPUcT0(unsigned char *s, unsigned char *db)")
del_items(0x800AD7F8)
SetType(0x800AD7F8, "void _get_font__FPUcUsT0(unsigned char *d, unsigned short num, unsigned char *abuff)")
del_items(0x800AD8B8)
SetType(0x800AD8B8, "int getfreekan__Fv()")
del_items(0x800AD970)
SetType(0x800AD970, "enum KANJI_FRMS GetKanjiCacheFrm__Fv()")
del_items(0x800AD97C)
SetType(0x800AD97C, "struct POLY_FT4 *GetKanjiFrm__FUs(unsigned short kan)")
del_items(0x800ADC08)
SetType(0x800ADC08, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800ADC08(struct POLY_FT4 **Prim)")
del_items(0x800ADC84)
SetType(0x800ADC84, "void DumpMonsters__7CBlocks_addr_800ADC84(struct CBlocks *this)")
del_items(0x800ADCAC)
SetType(0x800ADCAC, "struct ALL_DECOMP_BUFFERS *GetDecompBuffers__7TextDat(struct TextDat *this)")
del_items(0x800ADCD0)
SetType(0x800ADCD0, "struct FRAME_HDR *GetFr__7TextDati_addr_800ADCD0(struct TextDat *this, int FrNum)")
del_items(0x800ADCEC)
SetType(0x800ADCEC, "void writeblock__FP5block(struct block *theblock)")
del_items(0x800ADDD4)
SetType(0x800ADDD4, "int PAK_DoPak__FPUcPCUci(unsigned char *Dest, unsigned char *buffer, int insize)")
del_items(0x800AE014)
SetType(0x800AE014, "int PAK_DoUnpak__FPUcPCUc(unsigned char *Dest, unsigned char *Source)")
del_items(0x800AE0B4)
SetType(0x800AE0B4, "void fputc__5blockUc(struct block *this, unsigned char Val)")
del_items(0x800AE0DC)
SetType(0x800AE0DC, "void RemoveHelp__Fv()")
del_items(0x800AE0F0)
SetType(0x800AE0F0, "void HelpPad__Fv()")
del_items(0x800AE398)
SetType(0x800AE398, "int GetControlKey__FiPb(int str, bool *iscombo)")
del_items(0x800AE440)
SetType(0x800AE440, "void InitHelp__Fv()")
del_items(0x800AE48C)
SetType(0x800AE48C, "int DrawHelpLine__FiiPccccP10HelpStruct(int x, int y, char *txt, char R, int G, int B, struct HelpStruct *hp)")
del_items(0x800AE6A0)
SetType(0x800AE6A0, "void DisplayHelp__Fv()")
del_items(0x800AEA20)
SetType(0x800AEA20, "void DrawHelp__Fv()")
del_items(0x800AEC98)
SetType(0x800AEC98, "void _GLOBAL__D_DrawHelp__Fv()")
del_items(0x800AECD8)
SetType(0x800AECD8, "void _GLOBAL__I_DrawHelp__Fv()")
del_items(0x800AED00)
SetType(0x800AED00, "void SetRGB__6DialogUcUcUc_addr_800AED00(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800AED20)
SetType(0x800AED20, "void SetBorder__6Dialogi_addr_800AED20(struct Dialog *this, int Type)")
del_items(0x800AED28)
SetType(0x800AED28, "void ___6Dialog_addr_800AED28(struct Dialog *this, int __in_chrg)")
del_items(0x800AED50)
SetType(0x800AED50, "struct Dialog *__6Dialog_addr_800AED50(struct Dialog *this)")
del_items(0x800AEDD0)
SetType(0x800AEDD0, "int GetOverlayOtBase__7CBlocks_addr_800AEDD0()")
del_items(0x800AEDD8)
SetType(0x800AEDD8, "unsigned short GetTick__C4CPad_addr_800AEDD8(struct CPad *this)")
del_items(0x800AEE00)
SetType(0x800AEE00, "unsigned short GetDown__C4CPad_addr_800AEE00(struct CPad *this)")
del_items(0x800AEE28)
SetType(0x800AEE28, "void SetPadTickMask__4CPadUs_addr_800AEE28(struct CPad *this, unsigned short mask)")
del_items(0x800AEE30)
SetType(0x800AEE30, "void SetPadTick__4CPadUs_addr_800AEE30(struct CPad *this, unsigned short tick)")
del_items(0x800AEE38)
SetType(0x800AEE38, "void DisplayMonsterTypes__Fv()")
del_items(0x800AEE40)
SetType(0x800AEE40, "bool IsAutoTarget__Fi(int Spell)")
del_items(0x800AEE78)
SetType(0x800AEE78, "int GetXOff__Fii(int wx, int wy)")
del_items(0x800AEEC0)
SetType(0x800AEEC0, "int GetYOff__Fii(int wx, int wy)")
del_items(0x800AEF0C)
SetType(0x800AEF0C, "void GetScrXY__FPiT0(int *wx, int *wy)")
del_items(0x800AEFDC)
SetType(0x800AEFDC, "void ClearTrails__11SpellTarget(struct SpellTarget *this)")
del_items(0x800AF004)
SetType(0x800AF004, "void Init__11SpellTargeti(struct SpellTarget *this, int plrn)")
del_items(0x800AF268)
SetType(0x800AF268, "void Remove__11SpellTarget(struct SpellTarget *this)")
del_items(0x800AF2CC)
SetType(0x800AF2CC, "void DrawArrow__11SpellTargetii(struct SpellTarget *this, int x1, int y1)")
del_items(0x800AF550)
SetType(0x800AF550, "void Show__11SpellTarget(struct SpellTarget *this)")
del_items(0x800AFA6C)
SetType(0x800AFA6C, "void ForceTarget__11SpellTargetiii(struct SpellTarget *this, int monst, int x, int y)")
del_items(0x800AFBC0)
SetType(0x800AFBC0, "bool TargetActive__Fi(int pnum)")
del_items(0x800AFBE8)
SetType(0x800AFBE8, "struct SpellTarget *GetSpellTarget__Fi(int pnum)")
del_items(0x800AFC08)
SetType(0x800AFC08, "void ArrowTask__FP4TASK(struct TASK *T)")
del_items(0x800AFFAC)
SetType(0x800AFFAC, "void SPL_Arrow__F6TARGETiii(enum TARGET t, int pnum, int times, int size)")
del_items(0x800B002C)
SetType(0x800B002C, "bool Active__11SpellTarget_addr_800B002C(struct SpellTarget *this)")
del_items(0x800B0038)
SetType(0x800B0038, "int GetOverlayOtBase__7CBlocks_addr_800B0038()")
del_items(0x800B0040)
SetType(0x800B0040, "unsigned short GetCur__C4CPad_addr_800B0040(struct CPad *this)")
del_items(0x8003017C)
SetType(0x8003017C, "unsigned char TrimCol__Fs_addr_8003017C(short col)")
del_items(0x800301B4)
SetType(0x800301B4, "void DrawSpellCel__FllUclUcc(long xp, long yp, unsigned char Trans, long nCel, int w, int sel)")
del_items(0x80030D38)
SetType(0x80030D38, "void SetSpellTrans__Fc(char t)")
del_items(0x80030D44)
SetType(0x80030D44, "void DrawSpellBookTSK__FP4TASK(struct TASK *T)")
del_items(0x80030E9C)
SetType(0x80030E9C, "void DrawSpeedSpellTSK__FP4TASK(struct TASK *T)")
del_items(0x80030FCC)
SetType(0x80030FCC, "void ToggleSpell__Fi(int pnum)")
del_items(0x80031080)
SetType(0x80031080, "void DrawSpellList__Fv()")
del_items(0x80031D3C)
SetType(0x80031D3C, "void SetSpell__Fi(int pnum)")
del_items(0x80031E48)
SetType(0x80031E48, "void AddPanelString__FPCci(char *str, int just)")
del_items(0x80031F08)
SetType(0x80031F08, "void ClearPanel__Fv()")
del_items(0x80031F38)
SetType(0x80031F38, "void InitPanelStr__Fv()")
del_items(0x80031F58)
SetType(0x80031F58, "void InitControlPan__Fv()")
del_items(0x80032184)
SetType(0x80032184, "void DrawCtrlPan__Fv()")
del_items(0x800321B0)
SetType(0x800321B0, "void DoAutoMap__Fv()")
del_items(0x80032210)
SetType(0x80032210, "void CheckPanelInfo__Fv()")
del_items(0x80032930)
SetType(0x80032930, "void FreeControlPan__Fv()")
del_items(0x80032A40)
SetType(0x80032A40, "int CPrintString__FiPci(int No, char *pszStr, int Just)")
del_items(0x80032B5C)
SetType(0x80032B5C, "void PrintInfo__Fv()")
del_items(0x80032F8C)
SetType(0x80032F8C, "void DrawInfoBox__FP4RECT(struct RECT *InfoRect)")
del_items(0x800336C0)
SetType(0x800336C0, "void MY_PlrStringXY__Fv()")
del_items(0x80033DD0)
SetType(0x80033DD0, "void ADD_PlrStringXY__FPCcc(char *pszStr, char col)")
del_items(0x80033E78)
SetType(0x80033E78, "void DrawPlus__Fii(int n, int pnum)")
del_items(0x80034010)
SetType(0x80034010, "void ChrCheckValidButton__Fi(int move)")
del_items(0x8003431C)
SetType(0x8003431C, "void DrawArrows__Fv()")
del_items(0x8003441C)
SetType(0x8003441C, "void BuildChr__Fv()")
del_items(0x80035680)
SetType(0x80035680, "void DrawChr__Fv()")
del_items(0x80035B30)
SetType(0x80035B30, "void DrawChrTSK__FP4TASK(struct TASK *T)")
del_items(0x80035C40)
SetType(0x80035C40, "void DrawLevelUpIcon__Fi(int pnum)")
del_items(0x80035CD4)
SetType(0x80035CD4, "void CheckChrBtns__Fv()")
del_items(0x8003605C)
SetType(0x8003605C, "int DrawDurIcon4Item__FPC10ItemStructii(struct ItemStruct *pItem, int x, int c)")
del_items(0x800360E0)
SetType(0x800360E0, "void RedBack__Fv()")
del_items(0x800361D8)
SetType(0x800361D8, "void PrintSBookStr__FiiiPCcUcUc(int x, int y, int cspel, char *pszStr, int bright, int Staff)")
del_items(0x80036460)
SetType(0x80036460, "char GetSBookTrans__FiUc(int ii, unsigned char townok)")
del_items(0x800366C0)
SetType(0x800366C0, "void DrawSpellBook__Fb(bool DrawBg)")
del_items(0x80037230)
SetType(0x80037230, "void CheckSBook__Fv()")
del_items(0x800374CC)
SetType(0x800374CC, "char *get_pieces_str__Fi(int nGold)")
del_items(0x80037500)
SetType(0x80037500, "void _GLOBAL__D_DrawLevelUpFlag()")
del_items(0x80037528)
SetType(0x80037528, "void _GLOBAL__I_DrawLevelUpFlag()")
del_items(0x80037564)
SetType(0x80037564, "unsigned short GetTick__C4CPad_addr_80037564(struct CPad *this)")
del_items(0x8003758C)
SetType(0x8003758C, "unsigned short GetDown__C4CPad_addr_8003758C(struct CPad *this)")
del_items(0x800375B4)
SetType(0x800375B4, "void SetPadTickMask__4CPadUs_addr_800375B4(struct CPad *this, unsigned short mask)")
del_items(0x800375BC)
SetType(0x800375BC, "void SetPadTick__4CPadUs_addr_800375BC(struct CPad *this, unsigned short tick)")
del_items(0x800375C4)
SetType(0x800375C4, "void SetRGB__6DialogUcUcUc_addr_800375C4(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800375E4)
SetType(0x800375E4, "void SetBack__6Dialogi_addr_800375E4(struct Dialog *this, int Type)")
del_items(0x800375EC)
SetType(0x800375EC, "void SetBorder__6Dialogi_addr_800375EC(struct Dialog *this, int Type)")
del_items(0x800375F4)
SetType(0x800375F4, "void ___6Dialog_addr_800375F4(struct Dialog *this, int __in_chrg)")
del_items(0x8003761C)
SetType(0x8003761C, "struct Dialog *__6Dialog_addr_8003761C(struct Dialog *this)")
del_items(0x8003769C)
SetType(0x8003769C, "int GetOverlayOtBase__7CBlocks_addr_8003769C()")
del_items(0x800376A4)
SetType(0x800376A4, "int GetMaxOtPos__7CBlocks_addr_800376A4()")
del_items(0x800376AC)
SetType(0x800376AC, "struct PAL *GetPal__7TextDati_addr_800376AC(struct TextDat *this, int PalNum)")
del_items(0x800376C8)
SetType(0x800376C8, "struct FRAME_HDR *GetFr__7TextDati_addr_800376C8(struct TextDat *this, int FrNum)")
del_items(0x800376E4)
SetType(0x800376E4, "void InitCursor__Fv()")
del_items(0x800376EC)
SetType(0x800376EC, "void FreeCursor__Fv()")
del_items(0x800376F4)
SetType(0x800376F4, "void SetICursor__Fi(int i)")
del_items(0x80037750)
SetType(0x80037750, "void SetCursor__Fi(int i)")
del_items(0x800377B4)
SetType(0x800377B4, "void NewCursor__Fi(int i)")
del_items(0x800377D4)
SetType(0x800377D4, "void InitLevelCursor__Fv()")
del_items(0x80037834)
SetType(0x80037834, "void CheckTown__Fv()")
del_items(0x80037AC0)
SetType(0x80037AC0, "void CheckRportal__Fv()")
del_items(0x80037D20)
SetType(0x80037D20, "void CheckCursMove__Fv()")
del_items(0x80037D28)
SetType(0x80037D28, "void InitDead__Fv()")
del_items(0x80037F2C)
SetType(0x80037F2C, "void AddDead__Fiici(int dx, int dy, char dv, int ddir)")
del_items(0x80037F4C)
SetType(0x80037F4C, "void FreeGameMem__Fv()")
del_items(0x80037F84)
SetType(0x80037F84, "void start_game__FUi(unsigned int uMsg)")
del_items(0x80038074)
SetType(0x80038074, "void free_game__Fv()")
del_items(0x800380E8)
SetType(0x800380E8, "void LittleStart__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)")
del_items(0x800381AC)
SetType(0x800381AC, "unsigned char StartGame__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)")
del_items(0x800383AC)
SetType(0x800383AC, "void run_game_loop__FUi(unsigned int uMsg)")
del_items(0x80038514)
SetType(0x80038514, "unsigned char TryIconCurs__Fv()")
del_items(0x80038834)
SetType(0x80038834, "unsigned long DisableInputWndProc__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)")
del_items(0x8003883C)
SetType(0x8003883C, "unsigned long GM_Game__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)")
del_items(0x800388D0)
SetType(0x800388D0, "void LoadLvlGFX__Fv()")
del_items(0x80038988)
SetType(0x80038988, "void LoadMegaTiles__FPCc(char *LoadFile)")
del_items(0x80038A18)
SetType(0x80038A18, "void LoadAllGFX__Fv()")
del_items(0x80038A38)
SetType(0x80038A38, "void CreateLevel__Fi(int lvldir)")
del_items(0x80038B30)
SetType(0x80038B30, "void LoCreateLevel__FPv()")
del_items(0x80038C94)
SetType(0x80038C94, "void ClearOutDungeonMap__Fv()")
del_items(0x80038E94)
SetType(0x80038E94, "void AddQuestItems__Fv()")
del_items(0x80038F34)
SetType(0x80038F34, "void AllSolid__Fii(int x, int y)")
del_items(0x80038F74)
SetType(0x80038F74, "void FillCrapBits__Fv()")
del_items(0x80039114)
SetType(0x80039114, "void Lsaveplrpos__Fv()")
del_items(0x800391C0)
SetType(0x800391C0, "void Lrestoreplrpos__Fv()")
del_items(0x80039210)
SetType(0x80039210, "void LoadGameLevel__FUci(unsigned char firstflag, int lvldir)")
del_items(0x80039B48)
SetType(0x80039B48, "void SetSpeed__F9GM_SPEEDS(enum GM_SPEEDS Speed)")
del_items(0x80039B5C)
SetType(0x80039B5C, "enum GM_SPEEDS GetSpeed__Fv()")
del_items(0x80039B68)
SetType(0x80039B68, "void game_logic__Fv()")
del_items(0x80039D50)
SetType(0x80039D50, "void timeout_cursor__FUc(unsigned char bTimeout)")
del_items(0x80039DF8)
SetType(0x80039DF8, "void game_loop__FUc(unsigned char bStartup)")
del_items(0x80039E58)
SetType(0x80039E58, "void alloc_plr__Fv()")
del_items(0x80039E60)
SetType(0x80039E60, "void plr_encrypt__FUc(unsigned char bEncrypt)")
del_items(0x80039E68)
SetType(0x80039E68, "void assert_fail__FiPCcT1(int nLineNo, char *pszFile, char *pszFail)")
del_items(0x80039E88)
SetType(0x80039E88, "void assert_fail__FiPCc(int nLineNo, char *pszFile)")
del_items(0x80039EA8)
SetType(0x80039EA8, "void app_fatal(char *pszFile)")
del_items(0x80039ED8)
SetType(0x80039ED8, "void DoMemCardFromFrontEnd__Fv()")
del_items(0x80039F00)
SetType(0x80039F00, "void DoMemCardFromInGame__Fv()")
del_items(0x80039F28)
SetType(0x80039F28, "int GetActiveTowner__Fi(int t)")
del_items(0x80039F7C)
SetType(0x80039F7C, "void SetTownerGPtrs__FPUcPPUc(unsigned char *pData, unsigned char **pAnim)")
del_items(0x80039F9C)
SetType(0x80039F9C, "void NewTownerAnim__FiPUcii(int tnum, unsigned char *pAnim, int numFrames, int Delay)")
del_items(0x80039FEC)
SetType(0x80039FEC, "void InitTownerInfo__FilUciiici(int i, long w, unsigned char sel, int t, int x, int y, int ao, int tp)")
del_items(0x8003A144)
SetType(0x8003A144, "void InitQstSnds__Fi(int i)")
del_items(0x8003A204)
SetType(0x8003A204, "void InitSmith__Fv()")
del_items(0x8003A334)
SetType(0x8003A334, "void InitBarOwner__Fv()")
del_items(0x8003A46C)
SetType(0x8003A46C, "void InitTownDead__Fv()")
del_items(0x8003A5A0)
SetType(0x8003A5A0, "void InitWitch__Fv()")
del_items(0x8003A6D4)
SetType(0x8003A6D4, "void InitBarmaid__Fv()")
del_items(0x8003A808)
SetType(0x8003A808, "void InitBoy__Fv()")
del_items(0x8003A944)
SetType(0x8003A944, "void InitHealer__Fv()")
del_items(0x8003AA78)
SetType(0x8003AA78, "void InitTeller__Fv()")
del_items(0x8003ABAC)
SetType(0x8003ABAC, "void InitDrunk__Fv()")
del_items(0x8003ACE0)
SetType(0x8003ACE0, "void InitCows__Fv()")
del_items(0x8003AF7C)
SetType(0x8003AF7C, "void InitTowners__Fv()")
del_items(0x8003B008)
SetType(0x8003B008, "void FreeTownerGFX__Fv()")
del_items(0x8003B0AC)
SetType(0x8003B0AC, "void TownCtrlMsg__Fi(int i)")
del_items(0x8003B194)
SetType(0x8003B194, "void TownBlackSmith__Fv()")
del_items(0x8003B220)
SetType(0x8003B220, "void TownBarOwner__Fv()")
del_items(0x8003B2BC)
SetType(0x8003B2BC, "void TownDead__Fv()")
del_items(0x8003B3A4)
SetType(0x8003B3A4, "void TownHealer__Fv()")
del_items(0x8003B3CC)
SetType(0x8003B3CC, "void TownStory__Fv()")
del_items(0x8003B3F4)
SetType(0x8003B3F4, "void TownDrunk__Fv()")
del_items(0x8003B41C)
SetType(0x8003B41C, "void TownBoy__Fv()")
del_items(0x8003B444)
SetType(0x8003B444, "void TownWitch__Fv()")
del_items(0x8003B46C)
SetType(0x8003B46C, "void TownBarMaid__Fv()")
del_items(0x8003B494)
SetType(0x8003B494, "void TownCow__Fv()")
del_items(0x8003B4BC)
SetType(0x8003B4BC, "void ProcessTowners__Fv()")
del_items(0x8003B70C)
SetType(0x8003B70C, "struct ItemStruct *PlrHasItem__FiiRi(int pnum, int item, int *i)")
del_items(0x8003B7E0)
SetType(0x8003B7E0, "void CowSFX__Fi(int pnum)")
del_items(0x8003B8FC)
SetType(0x8003B8FC, "void TownerTalk__Fii(int first, int t)")
del_items(0x8003B93C)
SetType(0x8003B93C, "void TalkToTowner__Fii(int p, int t)")
del_items(0x8003CEC4)
SetType(0x8003CEC4, "unsigned char effect_is_playing__Fi(int nSFX)")
del_items(0x8003CEEC)
SetType(0x8003CEEC, "void stream_stop__Fv()")
del_items(0x8003CF48)
SetType(0x8003CF48, "void stream_pause__Fv()")
del_items(0x8003CFAC)
SetType(0x8003CFAC, "void stream_resume__Fv()")
del_items(0x8003CFFC)
SetType(0x8003CFFC, "void stream_play__FP4TSFXll(struct TSFX *pSFX, long lVolume, long lPan)")
del_items(0x8003D0E8)
SetType(0x8003D0E8, "void stream_update__Fv()")
del_items(0x8003D0F0)
SetType(0x8003D0F0, "void sfx_stop__Fv()")
del_items(0x8003D10C)
SetType(0x8003D10C, "void InitMonsterSND__Fi(int monst)")
del_items(0x8003D164)
SetType(0x8003D164, "void FreeMonsterSnd__Fv()")
del_items(0x8003D16C)
SetType(0x8003D16C, "unsigned char calc_snd_position__FiiPlT2(int x, int y, long *plVolume, long *plPan)")
del_items(0x8003D354)
SetType(0x8003D354, "void PlaySFX_priv__FP4TSFXUcii(struct TSFX *pSFX, unsigned char loc, int x, int y)")
del_items(0x8003D4B8)
SetType(0x8003D4B8, "void PlayEffect__Fii(int i, int mode)")
del_items(0x8003D604)
SetType(0x8003D604, "int RndSFX__Fi(int psfx)")
del_items(0x8003D6AC)
SetType(0x8003D6AC, "void PlaySFX__Fi(int psfx)")
del_items(0x8003D718)
SetType(0x8003D718, "void PlaySfxLoc__Fiii(int psfx, int x, int y)")
del_items(0x8003D7C4)
SetType(0x8003D7C4, "void sound_stop__Fv()")
del_items(0x8003D85C)
SetType(0x8003D85C, "void sound_update__Fv()")
del_items(0x8003D890)
SetType(0x8003D890, "void priv_sound_init__FUc(unsigned char bLoadMask)")
del_items(0x8003D8D4)
SetType(0x8003D8D4, "void sound_init__Fv()")
del_items(0x8003D97C)
SetType(0x8003D97C, "void stream_fade__Fv()")
del_items(0x8003D9BC)
SetType(0x8003D9BC, "int GetDirection__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x8003DA60)
SetType(0x8003DA60, "void SetRndSeed__Fl(long s)")
del_items(0x8003DA70)
SetType(0x8003DA70, "long GetRndSeed__Fv()")
del_items(0x8003DAB8)
SetType(0x8003DAB8, "long random__Fil(int idx, long v)")
del_items(0x8003DB24)
SetType(0x8003DB24, "unsigned char *DiabloAllocPtr__FUl(unsigned long dwBytes)")
del_items(0x8003DB70)
SetType(0x8003DB70, "void mem_free_dbg__FPv(void *p)")
del_items(0x8003DBC0)
SetType(0x8003DBC0, "unsigned char *LoadFileInMem__FPCcPUl(char *pszName, unsigned long *pdwFileLen)")
del_items(0x8003DBC8)
SetType(0x8003DBC8, "void PlayInGameMovie__FPCc(char *pszMovie)")
del_items(0x8003DBD0)
SetType(0x8003DBD0, "void Enter__9CCritSect(struct CCritSect *this)")
del_items(0x8003DBD8)
SetType(0x8003DBD8, "void InitDiabloMsg__Fc(char e)")
del_items(0x8003DC6C)
SetType(0x8003DC6C, "void ClrDiabloMsg__Fv()")
del_items(0x8003DC98)
SetType(0x8003DC98, "void DrawDiabloMsg__Fv()")
del_items(0x8003DDCC)
SetType(0x8003DDCC, "void interface_msg_pump__Fv()")
del_items(0x8003DDD4)
SetType(0x8003DDD4, "void ShowProgress__FUi(unsigned int uMsg)")
del_items(0x8003E1A8)
SetType(0x8003E1A8, "void InitAllItemsUseable__Fv()")
del_items(0x8003E1E0)
SetType(0x8003E1E0, "void InitItemGFX__Fv()")
del_items(0x8003E20C)
SetType(0x8003E20C, "unsigned char ItemPlace__Fii(int xp, int yp)")
del_items(0x8003E2A8)
SetType(0x8003E2A8, "void AddInitItems__Fv()")
del_items(0x8003E4C4)
SetType(0x8003E4C4, "void InitItems__Fb(bool re_init)")
del_items(0x8003E67C)
SetType(0x8003E67C, "void CalcPlrItemVals__FiUc(int p, unsigned char Loadgfx)")
del_items(0x8003F0F4)
SetType(0x8003F0F4, "void CalcPlrScrolls__Fi(int p)")
del_items(0x8003F474)
SetType(0x8003F474, "void CalcPlrStaff__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8003F530)
SetType(0x8003F530, "void CalcSelfItems__Fi(int pnum)")
del_items(0x8003F690)
SetType(0x8003F690, "unsigned char ItemMinStats__FPC12PlayerStructPC10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)")
del_items(0x8003F6DC)
SetType(0x8003F6DC, "void SetItemMinStats__FPC12PlayerStructP10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)")
del_items(0x8003F708)
SetType(0x8003F708, "void CalcPlrItemMin__Fi(int pnum)")
del_items(0x8003F7E8)
SetType(0x8003F7E8, "void CalcPlrBookVals__Fi(int p)")
del_items(0x8003FACC)
SetType(0x8003FACC, "void CalcPlrInv__FiUc(int p, unsigned char Loadgfx)")
del_items(0x8003FB7C)
SetType(0x8003FB7C, "void SetPlrHandItem__FP10ItemStructi(struct ItemStruct *h, int idata)")
del_items(0x8003FC94)
SetType(0x8003FC94, "void GetPlrHandSeed__FP10ItemStruct(struct ItemStruct *h)")
del_items(0x8003FCC0)
SetType(0x8003FCC0, "void GetGoldSeed__FiP10ItemStruct(int pnum, struct ItemStruct *h)")
del_items(0x8003FE28)
SetType(0x8003FE28, "void SetPlrHandSeed__FP10ItemStructi(struct ItemStruct *h, int iseed)")
del_items(0x8003FE30)
SetType(0x8003FE30, "void SetPlrHandGoldCurs__FP10ItemStruct(struct ItemStruct *h)")
del_items(0x8003FE60)
SetType(0x8003FE60, "void CreatePlrItems__Fi(int p)")
del_items(0x800403C0)
SetType(0x800403C0, "unsigned char ItemSpaceOk__Fii(int i, int j)")
del_items(0x80040640)
SetType(0x80040640, "unsigned char GetItemSpace__Fiic(int x, int y, char inum)")
del_items(0x8004085C)
SetType(0x8004085C, "void GetSuperItemSpace__Fiic(int x, int y, char inum)")
del_items(0x800409B4)
SetType(0x800409B4, "void GetSuperItemLoc__FiiRiT2(int x, int y, int *xx, int *yy)")
del_items(0x80040A7C)
SetType(0x80040A7C, "void CalcItemValue__Fi(int i)")
del_items(0x80040B34)
SetType(0x80040B34, "void GetBookSpell__Fii(int i, int lvl)")
del_items(0x80040D98)
SetType(0x80040D98, "void GetStaffPower__FiiiUc(int i, int lvl, int bs, unsigned char onlygood)")
del_items(0x80040F88)
SetType(0x80040F88, "void GetStaffSpell__FiiUc(int i, int lvl, unsigned char onlygood)")
del_items(0x80041264)
SetType(0x80041264, "void GetItemAttrs__Fiii(int i, int idata, int lvl)")
del_items(0x80041810)
SetType(0x80041810, "int RndPL__Fii(int param1, int param2)")
del_items(0x80041848)
SetType(0x80041848, "int PLVal__Fiiiii(int pv, int p1, int p2, int minv, int maxv)")
del_items(0x800418BC)
SetType(0x800418BC, "void SaveItemPower__Fiiiiiii(int i, int power, int param1, int param2, int minval, int maxval, int multval)")
del_items(0x80042FEC)
SetType(0x80042FEC, "void GetItemPower__FiiilUc(int i, int minlvl, int maxlvl, long flgs, int onlygood)")
del_items(0x80043454)
SetType(0x80043454, "void GetItemBonus__FiiiiUc(int i, int idata, int minlvl, int maxlvl, int onlygood)")
del_items(0x80043550)
SetType(0x80043550, "void SetupItem__Fi(int i)")
del_items(0x80043680)
SetType(0x80043680, "int RndItem__Fi(int m)")
del_items(0x800438C0)
SetType(0x800438C0, "int RndUItem__Fi(int m)")
del_items(0x80043B04)
SetType(0x80043B04, "int RndAllItems__Fv()")
del_items(0x80043C6C)
SetType(0x80043C6C, "int RndTypeItems__Fii(int itype, int imid)")
del_items(0x80043DDC)
SetType(0x80043DDC, "int CheckUnique__FiiiUc(int i, int lvl, int uper, unsigned char recreate)")
del_items(0x80043F8C)
SetType(0x80043F8C, "void GetUniqueItem__Fii(int i, int uid)")
del_items(0x80044244)
SetType(0x80044244, "void SpawnUnique__Fiii(int uid, int x, int y)")
del_items(0x80044384)
SetType(0x80044384, "void ItemRndDur__Fi(int ii)")
del_items(0x80044420)
SetType(0x80044420, "void SetupAllItems__FiiiiiUcUcUc(int ii, int idx, int iseed, int lvl, int uper, int onlygood, int recreate, int pregen)")
del_items(0x80044768)
SetType(0x80044768, "void SpawnItem__FiiiUc(int m, int x, int y, unsigned char sendmsg)")
del_items(0x800449C0)
SetType(0x800449C0, "void CreateItem__Fiii(int uid, int x, int y)")
del_items(0x80044B1C)
SetType(0x80044B1C, "void CreateRndItem__FiiUcUcUc(int x, int y, unsigned char onlygood, unsigned char sendmsg, int delta)")
del_items(0x80044C64)
SetType(0x80044C64, "void SetupAllUseful__Fiii(int ii, int iseed, int lvl)")
del_items(0x80044D50)
SetType(0x80044D50, "void CreateRndUseful__FiiiUc(int pnum, int x, int y, unsigned char sendmsg)")
del_items(0x80044E10)
SetType(0x80044E10, "void CreateTypeItem__FiiUciiUcUc(int x, int y, unsigned char onlygood, int itype, int imisc, int sendmsg, int delta)")
del_items(0x80044F54)
SetType(0x80044F54, "void RecreateEar__FiUsiUciiiiii(int ii, unsigned short ic, int iseed, unsigned char Id, int dur, int mdur, int ch, int mch, int ivalue, int ibuff)")
del_items(0x80045154)
SetType(0x80045154, "void SpawnQuestItem__Fiiiii(int itemid, int x, int y, int randarea, int selflag)")
del_items(0x800453A8)
SetType(0x800453A8, "void SpawnRock__Fv()")
del_items(0x80045554)
SetType(0x80045554, "void RespawnItem__FiUc(int i, unsigned char FlipFlag)")
del_items(0x8004570C)
SetType(0x8004570C, "void DeleteItem__Fii(int ii, int i)")
del_items(0x80045760)
SetType(0x80045760, "void ItemDoppel__Fv()")
del_items(0x80045820)
SetType(0x80045820, "void ProcessItems__Fv()")
del_items(0x80045AC4)
SetType(0x80045AC4, "void FreeItemGFX__Fv()")
del_items(0x80045ACC)
SetType(0x80045ACC, "void GetItemStr__Fi(int i)")
del_items(0x80045C74)
SetType(0x80045C74, "void CheckIdentify__Fii(int pnum, int cii)")
del_items(0x80045D70)
SetType(0x80045D70, "void RepairItem__FP10ItemStructi(struct ItemStruct *i, int lvl)")
del_items(0x80045E64)
SetType(0x80045E64, "void DoRepair__Fii(int pnum, int cii)")
del_items(0x80045F28)
SetType(0x80045F28, "void RechargeItem__FP10ItemStructi(struct ItemStruct *i, int r)")
del_items(0x80045F90)
SetType(0x80045F90, "void DoRecharge__Fii(int pnum, int cii)")
del_items(0x800460B4)
SetType(0x800460B4, "void PrintItemOil__Fc(char IDidx)")
del_items(0x800461B0)
SetType(0x800461B0, "void PrintItemPower__FcPC10ItemStruct(char plidx, struct ItemStruct *x)")
del_items(0x80046854)
SetType(0x80046854, "void PrintItemMisc__FPC10ItemStruct(struct ItemStruct *x)")
del_items(0x80046AB4)
SetType(0x80046AB4, "void PrintItemDetails__FPC10ItemStruct(struct ItemStruct *x)")
del_items(0x80046F18)
SetType(0x80046F18, "void PrintItemDur__FPC10ItemStruct(struct ItemStruct *x)")
del_items(0x80047284)
SetType(0x80047284, "void CastScroll__Fii(int pnum, int Spell)")
del_items(0x800474D4)
SetType(0x800474D4, "void UseItem__Fiii(int p, int Mid, int spl)")
del_items(0x80047AF0)
SetType(0x80047AF0, "unsigned char StoreStatOk__FP10ItemStruct(struct ItemStruct *h)")
del_items(0x80047B84)
SetType(0x80047B84, "unsigned char PremiumItemOk__Fi(int i)")
del_items(0x80047C00)
SetType(0x80047C00, "int RndPremiumItem__Fii(int minlvl, int maxlvl)")
del_items(0x80047D08)
SetType(0x80047D08, "void SpawnOnePremium__Fii(int i, int plvl)")
del_items(0x80047FFC)
SetType(0x80047FFC, "void SpawnPremium__Fi(int lvl)")
del_items(0x8004839C)
SetType(0x8004839C, "void WitchBookLevel__Fi(int ii)")
del_items(0x80048578)
SetType(0x80048578, "void SpawnStoreGold__Fv()")
del_items(0x80048648)
SetType(0x80048648, "void RecalcStoreStats__Fv()")
del_items(0x8004892C)
SetType(0x8004892C, "int ItemNoFlippy__Fv()")
del_items(0x80048990)
SetType(0x80048990, "void CreateSpellBook__FiiiUcUc(int x, int y, int ispell, unsigned char sendmsg, int delta)")
del_items(0x80048B20)
SetType(0x80048B20, "void CreateMagicArmor__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)")
del_items(0x80048C9C)
SetType(0x80048C9C, "void CreateMagicWeapon__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)")
del_items(0x80048E18)
SetType(0x80048E18, "void DrawUniqueInfo__Fv()")
del_items(0x80048F88)
SetType(0x80048F88, "char *MakeItemStr__FP10ItemStructUsUs(struct ItemStruct *ItemPtr, unsigned short ItemNo, unsigned short MaxLen)")
del_items(0x800493F8)
SetType(0x800493F8, "unsigned char SmithItemOk__Fi(int i)")
del_items(0x8004945C)
SetType(0x8004945C, "int RndSmithItem__Fi(int lvl)")
del_items(0x80049568)
SetType(0x80049568, "unsigned char WitchItemOk__Fi(int i)")
del_items(0x800495F8)
SetType(0x800495F8, "int RndWitchItem__Fi(int lvl)")
del_items(0x800497A8)
SetType(0x800497A8, "void BubbleSwapItem__FP10ItemStructT0(struct ItemStruct *a, struct ItemStruct *b)")
del_items(0x800498B0)
SetType(0x800498B0, "void SortWitch__Fv()")
del_items(0x80049A40)
SetType(0x80049A40, "int RndBoyItem__Fi(int lvl)")
del_items(0x80049B64)
SetType(0x80049B64, "unsigned char HealerItemOk__Fi(int i)")
del_items(0x80049D18)
SetType(0x80049D18, "int RndHealerItem__Fi(int lvl)")
del_items(0x80049E18)
SetType(0x80049E18, "void RecreatePremiumItem__Fiiii(int ii, int idx, int plvl, int iseed)")
del_items(0x80049EF4)
SetType(0x80049EF4, "void RecreateWitchItem__Fiiii(int ii, int idx, int lvl, int iseed)")
del_items(0x8004A060)
SetType(0x8004A060, "void RecreateSmithItem__Fiiii(int ii, int idx, int lvl, int iseed)")
del_items(0x8004A110)
SetType(0x8004A110, "void RecreateHealerItem__Fiiii(int ii, int idx, int lvl, int iseed)")
del_items(0x8004A1E4)
SetType(0x8004A1E4, "void RecreateBoyItem__Fiiii(int ii, int idx, int lvl, int iseed)")
del_items(0x8004A2BC)
SetType(0x8004A2BC, "void RecreateTownItem__FiiUsii(int ii, int idx, unsigned short icreateinfo, int iseed, int ivalue)")
del_items(0x8004A348)
SetType(0x8004A348, "void SpawnSmith__Fi(int lvl)")
del_items(0x8004A678)
SetType(0x8004A678, "void SpawnWitch__Fi(int lvl)")
del_items(0x8004AC70)
SetType(0x8004AC70, "void SpawnHealer__Fi(int lvl)")
del_items(0x8004B214)
SetType(0x8004B214, "void SpawnBoy__Fi(int lvl)")
del_items(0x8004B518)
SetType(0x8004B518, "void SortSmith__Fv()")
del_items(0x8004B69C)
SetType(0x8004B69C, "void SortHealer__Fv()")
del_items(0x8004B82C)
SetType(0x8004B82C, "void RecreateItem__FiiUsiii(int ii, int idx, unsigned short icreateinfo, int iseed, int ivalue, int PlrCreate)")
del_items(0x8004BA70)
SetType(0x8004BA70, "int veclen2__Fii(int ix, int iy)")
del_items(0x8004BAD8)
SetType(0x8004BAD8, "void set_light_bands__Fv()")
del_items(0x8004BB48)
SetType(0x8004BB48, "void SetLightFX__FiisssUcUcUc(int x, int y, short s_r, short s_g, int s_b, int d_r, int d_g, int d_b)")
del_items(0x8004BBB4)
SetType(0x8004BBB4, "void SetWeirdFX__Fv()")
del_items(0x8004BC28)
SetType(0x8004BC28, "void DoLighting__Fiiii(int nXPos, int nYPos, int nRadius, int Lnum)")
del_items(0x8004C8FC)
SetType(0x8004C8FC, "void DoUnLight__Fv()")
del_items(0x8004CB40)
SetType(0x8004CB40, "void DoUnVision__Fiiii(int nXPos, int nYPos, int nRadius, int num)")
del_items(0x8004CC48)
SetType(0x8004CC48, "void DoVision__FiiiUcUc(int nXPos, int nYPos, int nRadius, unsigned char doautomap, int visible)")
del_items(0x8004D070)
SetType(0x8004D070, "void FreeLightTable__Fv()")
del_items(0x8004D078)
SetType(0x8004D078, "void InitLightTable__Fv()")
del_items(0x8004D080)
SetType(0x8004D080, "void MakeLightTable__Fv()")
del_items(0x8004D088)
SetType(0x8004D088, "void InitLightMax__Fv()")
del_items(0x8004D0AC)
SetType(0x8004D0AC, "void InitLighting__Fv()")
del_items(0x8004D0F0)
SetType(0x8004D0F0, "int AddLight__Fiii(int x, int y, int r)")
del_items(0x8004D148)
SetType(0x8004D148, "void AddUnLight__Fi(int i)")
del_items(0x8004D16C)
SetType(0x8004D16C, "void ChangeLightRadius__Fii(int i, int r)")
del_items(0x8004D18C)
SetType(0x8004D18C, "void ChangeLightXY__Fiii(int i, int x, int y)")
del_items(0x8004D1B8)
SetType(0x8004D1B8, "void light_fix__Fi(int i)")
del_items(0x8004D1C0)
SetType(0x8004D1C0, "void ChangeLightOff__Fiii(int i, int x, int y)")
del_items(0x8004D1E8)
SetType(0x8004D1E8, "void ChangeLight__Fiiii(int i, int x, int y, int r)")
del_items(0x8004D214)
SetType(0x8004D214, "void ChangeLightColour__Fii(int i, int c)")
del_items(0x8004D23C)
SetType(0x8004D23C, "void ProcessLightList__Fv()")
del_items(0x8004D354)
SetType(0x8004D354, "void SavePreLighting__Fv()")
del_items(0x8004D35C)
SetType(0x8004D35C, "void InitVision__Fv()")
del_items(0x8004D3B0)
SetType(0x8004D3B0, "int AddVision__FiiiUc(int x, int y, int r, unsigned char mine)")
del_items(0x8004D424)
SetType(0x8004D424, "void ChangeVisionRadius__Fii(int id, int r)")
del_items(0x8004D4D8)
SetType(0x8004D4D8, "void ChangeVisionXY__Fiii(int id, int x, int y)")
del_items(0x8004D55C)
SetType(0x8004D55C, "void ProcessVisionList__Fv()")
del_items(0x8004D764)
SetType(0x8004D764, "void FreeQuestText__Fv()")
del_items(0x8004D76C)
SetType(0x8004D76C, "void InitQuestText__Fv()")
del_items(0x8004D778)
SetType(0x8004D778, "void CalcTextSpeed__FPCc(char *Name)")
del_items(0x8004D934)
SetType(0x8004D934, "void FadeMusicTSK__FP4TASK(struct TASK *T)")
del_items(0x8004DA80)
SetType(0x8004DA80, "void InitQTextMsg__Fi(int m)")
del_items(0x8004DCD4)
SetType(0x8004DCD4, "void DrawQTextBack__Fv()")
del_items(0x8004DE70)
SetType(0x8004DE70, "void DrawQTextTSK__FP4TASK(struct TASK *T)")
del_items(0x8004E158)
SetType(0x8004E158, "int KANJI_strlen__FPc(char *str)")
del_items(0x8004E198)
SetType(0x8004E198, "void DrawQText__Fv()")
del_items(0x8004E744)
SetType(0x8004E744, "void _GLOBAL__D_QBack()")
del_items(0x8004E76C)
SetType(0x8004E76C, "void _GLOBAL__I_QBack()")
del_items(0x8004E794)
SetType(0x8004E794, "void SetRGB__6DialogUcUcUc_addr_8004E794(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x8004E7B4)
SetType(0x8004E7B4, "void SetBorder__6Dialogi_addr_8004E7B4(struct Dialog *this, int Type)")
del_items(0x8004E7BC)
SetType(0x8004E7BC, "void ___6Dialog_addr_8004E7BC(struct Dialog *this, int __in_chrg)")
del_items(0x8004E7E4)
SetType(0x8004E7E4, "struct Dialog *__6Dialog_addr_8004E7E4(struct Dialog *this)")
del_items(0x8004E864)
SetType(0x8004E864, "int GetOverlayOtBase__7CBlocks_addr_8004E864()")
del_items(0x8004E86C)
SetType(0x8004E86C, "unsigned short GetDown__C4CPad_addr_8004E86C(struct CPad *this)")
del_items(0x8004E894)
SetType(0x8004E894, "void nullmissile__Fiiiiiicii(int mi, int sx, int sy, int dx, int dy, int midir, int mienemy, int id, int dam)")
del_items(0x8004E89C)
SetType(0x8004E89C, "void FuncNULL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8004E8A4)
SetType(0x8004E8A4, "void delta_init__Fv()")
del_items(0x8004E8FC)
SetType(0x8004E8FC, "void delta_kill_monster__FiUcUcUc(int mi, unsigned char x, unsigned char y, unsigned char bLevel)")
del_items(0x8004E994)
SetType(0x8004E994, "void delta_monster_hp__FilUc(int mi, long hp, unsigned char bLevel)")
del_items(0x8004EA10)
SetType(0x8004EA10, "void delta_leave_sync__FUc(unsigned char bLevel)")
del_items(0x8004ED38)
SetType(0x8004ED38, "void delta_sync_object__FiUcUc(int oi, unsigned char bCmd, unsigned char bLevel)")
del_items(0x8004ED98)
SetType(0x8004ED98, "unsigned char delta_get_item__FPC9TCmdGItemUc(struct TCmdGItem *pI, unsigned char bLevel)")
del_items(0x8004EF64)
SetType(0x8004EF64, "void delta_put_item__FPC9TCmdPItemiiUc(struct TCmdPItem *pI, int x, int y, unsigned char bLevel)")
del_items(0x8004F0F0)
SetType(0x8004F0F0, "unsigned char delta_portal_inited__Fi(int i)")
del_items(0x8004F114)
SetType(0x8004F114, "unsigned char delta_quest_inited__Fi(int i)")
del_items(0x8004F138)
SetType(0x8004F138, "void DeltaAddItem__Fi(int ii)")
del_items(0x8004F360)
SetType(0x8004F360, "int DeltaExportData__FPc(char *Dst)")
del_items(0x8004F38C)
SetType(0x8004F38C, "int DeltaImportData__FPc(char *Src)")
del_items(0x8004F3D4)
SetType(0x8004F3D4, "void DeltaSaveLevel__Fv()")
del_items(0x8004F4D0)
SetType(0x8004F4D0, "void NetSendCmd__FUcUc(unsigned char bHiPri, unsigned char bCmd)")
del_items(0x8004F4F8)
SetType(0x8004F4F8, "void NetSendCmdGolem__FUcUcUcUclUc(unsigned char mx, unsigned char my, unsigned char dir, unsigned char menemy, long hp, int cl)")
del_items(0x8004F544)
SetType(0x8004F544, "void NetSendCmdLoc__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)")
del_items(0x8004F574)
SetType(0x8004F574, "void NetSendCmdLocParam1__FUcUcUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1)")
del_items(0x8004F5AC)
SetType(0x8004F5AC, "void NetSendCmdLocParam2__FUcUcUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2)")
del_items(0x8004F5EC)
SetType(0x8004F5EC, "void NetSendCmdLocParam3__FUcUcUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2, int wParam3)")
del_items(0x8004F634)
SetType(0x8004F634, "void NetSendCmdParam1__FUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1)")
del_items(0x8004F660)
SetType(0x8004F660, "void NetSendCmdParam2__FUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2)")
del_items(0x8004F690)
SetType(0x8004F690, "void NetSendCmdParam3__FUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2, int wParam3)")
del_items(0x8004F6C8)
SetType(0x8004F6C8, "void NetSendCmdQuest__FUcUc(unsigned char bHiPri, unsigned char q)")
del_items(0x8004F73C)
SetType(0x8004F73C, "void NetSendCmdGItem__FUcUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char mast, unsigned char pnum, int ii)")
del_items(0x8004F884)
SetType(0x8004F884, "void NetSendCmdGItem2__FUcUcUcUcPC9TCmdGItem(unsigned char usonly, unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)")
del_items(0x8004F908)
SetType(0x8004F908, "unsigned char NetSendCmdReq2__FUcUcUcPC9TCmdGItem(unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)")
del_items(0x8004F968)
SetType(0x8004F968, "void NetSendCmdExtra__FPC9TCmdGItem(struct TCmdGItem *p)")
del_items(0x8004F9D8)
SetType(0x8004F9D8, "void NetSendCmdPItem__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)")
del_items(0x8004FAF4)
SetType(0x8004FAF4, "void NetSendCmdChItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)")
del_items(0x8004FB98)
SetType(0x8004FB98, "void NetSendCmdDelItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)")
del_items(0x8004FBC8)
SetType(0x8004FBC8, "void NetSendCmdDItem__FUci(unsigned char bHiPri, int ii)")
del_items(0x8004FCF0)
SetType(0x8004FCF0, "unsigned char i_own_level__Fi(int nReqLevel)")
del_items(0x8004FCF8)
SetType(0x8004FCF8, "void NetSendCmdDamage__FUcUcUl(unsigned char bHiPri, unsigned char bPlr, unsigned long dwDam)")
del_items(0x8004FD2C)
SetType(0x8004FD2C, "void delta_close_portal__Fi(int pnum)")
del_items(0x8004FD6C)
SetType(0x8004FD6C, "void check_update_plr__Fi(int pnum)")
del_items(0x8004FD74)
SetType(0x8004FD74, "void On_WALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FDF4)
SetType(0x8004FDF4, "void On_ADDSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FE24)
SetType(0x8004FE24, "void On_ADDMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FE54)
SetType(0x8004FE54, "void On_ADDDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FE84)
SetType(0x8004FE84, "void On_ADDVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FEB4)
SetType(0x8004FEB4, "void On_SBSPELL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FF28)
SetType(0x8004FF28, "void On_GOTOGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8004FFB0)
SetType(0x8004FFB0, "void On_REQUESTGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800500F0)
SetType(0x800500F0, "void On_GETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800502C4)
SetType(0x800502C4, "void On_GOTOAGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8005034C)
SetType(0x8005034C, "void On_REQUESTAGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050480)
SetType(0x80050480, "void On_AGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8005064C)
SetType(0x8005064C, "void On_ITEMEXTRA__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050698)
SetType(0x80050698, "void On_PUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050758)
SetType(0x80050758, "void On_SYNCPUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8005085C)
SetType(0x8005085C, "void On_RESPAWNITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050978)
SetType(0x80050978, "void On_SATTACKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050A04)
SetType(0x80050A04, "void On_SPELLXYD__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050AEC)
SetType(0x80050AEC, "void On_SPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050BC4)
SetType(0x80050BC4, "void On_TSPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050CA0)
SetType(0x80050CA0, "void On_OPOBJXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050D80)
SetType(0x80050D80, "void On_DISARMXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050E60)
SetType(0x80050E60, "void On_OPOBJT__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050EAC)
SetType(0x80050EAC, "void On_ATTACKID__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80050FE8)
SetType(0x80050FE8, "void On_SPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800510B0)
SetType(0x800510B0, "void On_SPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051170)
SetType(0x80051170, "void On_TSPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051234)
SetType(0x80051234, "void On_TSPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800512F8)
SetType(0x800512F8, "void On_KNOCKBACK__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800513B4)
SetType(0x800513B4, "void On_RESURRECT__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800513EC)
SetType(0x800513EC, "void On_HEALOTHER__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051414)
SetType(0x80051414, "void On_TALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x8005149C)
SetType(0x8005149C, "void On_NEWLVL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800514CC)
SetType(0x800514CC, "void On_WARP__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800515E0)
SetType(0x800515E0, "void On_MONSTDEATH__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051694)
SetType(0x80051694, "void On_KILLGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051700)
SetType(0x80051700, "void On_AWAKEGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051818)
SetType(0x80051818, "void On_MONSTDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051908)
SetType(0x80051908, "void On_PLRDEAD__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051950)
SetType(0x80051950, "void On_PLRDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051A64)
SetType(0x80051A64, "void On_OPENDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051AE0)
SetType(0x80051AE0, "void On_CLOSEDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051B5C)
SetType(0x80051B5C, "void On_OPERATEOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051BD8)
SetType(0x80051BD8, "void On_PLROPOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051C54)
SetType(0x80051C54, "void On_BREAKOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051CCC)
SetType(0x80051CCC, "void On_CHANGEPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051CD4)
SetType(0x80051CD4, "void On_DELPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051CDC)
SetType(0x80051CDC, "void On_PLRLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051CE4)
SetType(0x80051CE4, "void On_DROPITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051D3C)
SetType(0x80051D3C, "void On_PLAYER_JOINLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051F44)
SetType(0x80051F44, "void On_ACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051F88)
SetType(0x80051F88, "void On_DEACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80051FE8)
SetType(0x80051FE8, "void On_RETOWN__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80052020)
SetType(0x80052020, "void On_SETSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80052060)
SetType(0x80052060, "void On_SETDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800520A0)
SetType(0x800520A0, "void On_SETMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x800520E0)
SetType(0x800520E0, "void On_SETVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80052120)
SetType(0x80052120, "void On_SYNCQUEST__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80052168)
SetType(0x80052168, "void On_ENDSHIELD__FPC4TCmdi(struct TCmd *pCmd, int pnum)")
del_items(0x80052238)
SetType(0x80052238, "unsigned long ParseCmd__FiPC4TCmd(int pnum, struct TCmd *pCmd)")
del_items(0x80052658)
SetType(0x80052658, "struct DLevel *GetDLevel__Fib(int LevNum, bool SetLevel)")
del_items(0x800526A0)
SetType(0x800526A0, "void ReleaseDLevel__FP6DLevel(struct DLevel *Dl)")
del_items(0x800526CC)
SetType(0x800526CC, "void MSG_ClearOutCompMap__Fv()")
del_items(0x800526F4)
SetType(0x800526F4, "void _GLOBAL__D_deltaload()")
del_items(0x8005271C)
SetType(0x8005271C, "void _GLOBAL__I_deltaload()")
del_items(0x8005277C)
SetType(0x8005277C, "struct CrunchComp *__10CrunchComp(struct CrunchComp *this)")
del_items(0x800527B4)
SetType(0x800527B4, "struct PakComp *__7PakComp(struct PakComp *this)")
del_items(0x800527EC)
SetType(0x800527EC, "struct NoComp *__6NoComp(struct NoComp *this)")
del_items(0x80052824)
SetType(0x80052824, "int GetSize__14CompressedLevs(struct CompressedLevs *this)")
del_items(0x80052860)
SetType(0x80052860, "struct CompClass *__9CompClass(struct CompClass *this)")
del_items(0x80052874)
SetType(0x80052874, "void DoDecomp__C10CrunchCompPUcPCUcii(struct CrunchComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)")
del_items(0x8005289C)
SetType(0x8005289C, "int DoComp__C10CrunchCompPUcPCUci(struct CrunchComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)")
del_items(0x800528C4)
SetType(0x800528C4, "void DoDecomp__C7PakCompPUcPCUcii(struct PakComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)")
del_items(0x800528E8)
SetType(0x800528E8, "int DoComp__C7PakCompPUcPCUci(struct PakComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)")
del_items(0x80052910)
SetType(0x80052910, "void DoDecomp__C6NoCompPUcPCUcii(struct NoComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)")
del_items(0x8005293C)
SetType(0x8005293C, "int DoComp__C6NoCompPUcPCUci(struct NoComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)")
del_items(0x80052974)
SetType(0x80052974, "void NetSendLoPri__FPCUcUc(unsigned char *pbMsg, unsigned char bLen)")
del_items(0x800529A0)
SetType(0x800529A0, "int InitLevelType__Fi(int l)")
del_items(0x800529EC)
SetType(0x800529EC, "void SetupLocalCoords__Fv()")
del_items(0x80052B4C)
SetType(0x80052B4C, "void InitNewSeed__Fl(long newseed)")
del_items(0x80052BC0)
SetType(0x80052BC0, "unsigned char NetInit__FUcPUc(unsigned char bSinglePlayer, unsigned char *pfExitProgram)")
del_items(0x80052E50)
SetType(0x80052E50, "void PostAddL1Door__Fiiii(int i, int x, int y, int ot)")
del_items(0x80052F38)
SetType(0x80052F38, "void PostAddL2Door__Fiiii(int i, int x, int y, int ot)")
del_items(0x80053084)
SetType(0x80053084, "void PostAddArmorStand__Fi(int i)")
del_items(0x8005310C)
SetType(0x8005310C, "void PostAddObjLight__Fii(int i, int r)")
del_items(0x800531D0)
SetType(0x800531D0, "void PostAddWeaponRack__Fi(int i)")
del_items(0x80053258)
SetType(0x80053258, "void PostObjObjAddSwitch__Fiiii(int ot, int ox, int oy, int oi)")
del_items(0x800532F4)
SetType(0x800532F4, "void InitObjectGFX__Fv()")
del_items(0x80053510)
SetType(0x80053510, "void FreeObjectGFX__Fv()")
del_items(0x8005351C)
SetType(0x8005351C, "void DeleteObject__Fii(int oi, int i)")
del_items(0x800535C0)
SetType(0x800535C0, "void SetupObject__Fiiii(int i, int x, int y, int ot)")
del_items(0x80053844)
SetType(0x80053844, "void SetObjMapRange__Fiiiiii(int i, int x1, int y1, int x2, int y2, int v)")
del_items(0x800538A4)
SetType(0x800538A4, "void SetBookMsg__Fii(int i, int msg)")
del_items(0x800538CC)
SetType(0x800538CC, "void AddObject__Fiii(int ot, int ox, int oy)")
del_items(0x800539DC)
SetType(0x800539DC, "void PostAddObject__Fiii(int ot, int ox, int oy)")
del_items(0x80053E44)
SetType(0x80053E44, "void Obj_Light__Fii(int i, int lr)")
del_items(0x80054064)
SetType(0x80054064, "void Obj_Circle__Fi(int i)")
del_items(0x800543A8)
SetType(0x800543A8, "void Obj_StopAnim__Fi(int i)")
del_items(0x8005440C)
SetType(0x8005440C, "void DrawExpl__Fiiiiiccc(int sx, int sy, int f, int ot, int scale, int rtint, int gtint, int btint)")
del_items(0x80054704)
SetType(0x80054704, "void DrawObjExpl__FP12ObjectStructiii(struct ObjectStruct *obj, int ScrX, int ScrY, int ot)")
del_items(0x80054774)
SetType(0x80054774, "void Obj_Door__Fi(int i)")
del_items(0x800548E4)
SetType(0x800548E4, "void Obj_Sarc__Fi(int i)")
del_items(0x80054930)
SetType(0x80054930, "void ActivateTrapLine__Fii(int ttype, int tid)")
del_items(0x80054A40)
SetType(0x80054A40, "void Obj_FlameTrap__Fi(int i)")
del_items(0x80054D24)
SetType(0x80054D24, "void Obj_Trap__Fi(int i)")
del_items(0x80055068)
SetType(0x80055068, "void Obj_BCrossDamage__Fi(int i)")
del_items(0x800552B0)
SetType(0x800552B0, "void ProcessObjects__Fv()")
del_items(0x80055528)
SetType(0x80055528, "void ObjSetMicro__Fiii(int dx, int dy, int pn)")
del_items(0x80055698)
SetType(0x80055698, "void ObjSetMini__Fiii(int x, int y, int v)")
del_items(0x80055780)
SetType(0x80055780, "void ObjL1Special__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x80055788)
SetType(0x80055788, "void ObjL2Special__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x80055790)
SetType(0x80055790, "void DoorSet__Fiii(int oi, int dx, int dy)")
del_items(0x800559F4)
SetType(0x800559F4, "void RedoPlayerVision__Fv()")
del_items(0x80055A98)
SetType(0x80055A98, "void OperateL1RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x80055DF8)
SetType(0x80055DF8, "void OperateL1LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x80056190)
SetType(0x80056190, "void OperateL2RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x800564FC)
SetType(0x800564FC, "void OperateL2LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x80056868)
SetType(0x80056868, "void OperateL3RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x80056B44)
SetType(0x80056B44, "void OperateL3LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)")
del_items(0x80056E20)
SetType(0x80056E20, "void MonstCheckDoors__Fi(int m)")
del_items(0x800572F4)
SetType(0x800572F4, "void PostAddL1Objs__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x800573FC)
SetType(0x800573FC, "void PostAddL2Objs__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x800574F8)
SetType(0x800574F8, "void ObjChangeMap__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x800576B0)
SetType(0x800576B0, "void DRLG_MRectTrans__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x8005774C)
SetType(0x8005774C, "void ObjChangeMapResync__Fiiii(int x1, int y1, int x2, int y2)")
del_items(0x800578C4)
SetType(0x800578C4, "void OperateL1Door__FiiUc(int pnum, int i, unsigned char sendflag)")
del_items(0x80057A20)
SetType(0x80057A20, "void OperateLever__Fii(int pnum, int i)")
del_items(0x80057C04)
SetType(0x80057C04, "void OperateBook__Fii(int pnum, int i)")
del_items(0x800582BC)
SetType(0x800582BC, "void OperateBookLever__Fii(int pnum, int i)")
del_items(0x8005872C)
SetType(0x8005872C, "void OperateSChambBk__Fii(int pnum, int i)")
del_items(0x80058968)
SetType(0x80058968, "void OperateChest__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x80058D28)
SetType(0x80058D28, "void OperateMushPatch__Fii(int pnum, int i)")
del_items(0x80058F1C)
SetType(0x80058F1C, "void OperateInnSignChest__Fii(int pnum, int i)")
del_items(0x800590D0)
SetType(0x800590D0, "void OperateSlainHero__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x80059320)
SetType(0x80059320, "void OperateTrapLvr__Fi(int i)")
del_items(0x800594F0)
SetType(0x800594F0, "void OperateSarc__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x800596A8)
SetType(0x800596A8, "void OperateL2Door__FiiUc(int pnum, int i, unsigned char sendflag)")
del_items(0x80059804)
SetType(0x80059804, "void OperateL3Door__FiiUc(int pnum, int i, unsigned char sendflag)")
del_items(0x80059960)
SetType(0x80059960, "void LoadMapObjs__FPUcii(unsigned char *pMap, int startx, int starty)")
del_items(0x80059A68)
SetType(0x80059A68, "void OperatePedistal__Fii(int pnum, int i)")
del_items(0x80059F80)
SetType(0x80059F80, "void TryDisarm__Fii(int pnum, int i)")
del_items(0x8005A134)
SetType(0x8005A134, "int ItemMiscIdIdx__Fi(int imiscid)")
del_items(0x8005A1A4)
SetType(0x8005A1A4, "void OperateShrine__Fiii(int pnum, int i, int sType)")
del_items(0x8005C598)
SetType(0x8005C598, "void OperateSkelBook__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x8005C714)
SetType(0x8005C714, "void OperateBookCase__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x8005C92C)
SetType(0x8005C92C, "void OperateDecap__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x8005CA14)
SetType(0x8005CA14, "void OperateArmorStand__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x8005CB84)
SetType(0x8005CB84, "int FindValidShrine__Fi(int i)")
del_items(0x8005CC74)
SetType(0x8005CC74, "void OperateGoatShrine__Fiii(int pnum, int i, int sType)")
del_items(0x8005CD1C)
SetType(0x8005CD1C, "void OperateCauldron__Fiii(int pnum, int i, int sType)")
del_items(0x8005CDC0)
SetType(0x8005CDC0, "unsigned char OperateFountains__Fii(int pnum, int i)")
del_items(0x8005D36C)
SetType(0x8005D36C, "void OperateWeaponRack__FiiUc(int pnum, int i, unsigned char sendmsg)")
del_items(0x8005D518)
SetType(0x8005D518, "void OperateStoryBook__Fii(int pnum, int i)")
del_items(0x8005D60C)
SetType(0x8005D60C, "void OperateLazStand__Fii(int pnum, int i)")
del_items(0x8005D744)
SetType(0x8005D744, "void OperateObject__FiiUc(int pnum, int i, unsigned char TeleFlag)")
del_items(0x8005DB7C)
SetType(0x8005DB7C, "void SyncOpL1Door__Fiii(int pnum, int cmd, int i)")
del_items(0x8005DC90)
SetType(0x8005DC90, "void SyncOpL2Door__Fiii(int pnum, int cmd, int i)")
del_items(0x8005DDA4)
SetType(0x8005DDA4, "void SyncOpL3Door__Fiii(int pnum, int cmd, int i)")
del_items(0x8005DEB8)
SetType(0x8005DEB8, "void SyncOpObject__Fiii(int pnum, int cmd, int i)")
del_items(0x8005E0C8)
SetType(0x8005E0C8, "void BreakCrux__Fii(int pnum, int i)")
del_items(0x8005E2FC)
SetType(0x8005E2FC, "void BreakBarrel__FiiiUcUc(int pnum, int i, int dam, unsigned char forcebreak, int sendmsg)")
del_items(0x8005E854)
SetType(0x8005E854, "void BreakObject__Fii(int pnum, int oi)")
del_items(0x8005E9B8)
SetType(0x8005E9B8, "void SyncBreakObj__Fii(int pnum, int oi)")
del_items(0x8005EA34)
SetType(0x8005EA34, "void SyncL1Doors__Fi(int i)")
del_items(0x8005EB4C)
SetType(0x8005EB4C, "void SyncCrux__Fi(int i)")
del_items(0x8005EC84)
SetType(0x8005EC84, "void SyncLever__Fi(int i)")
del_items(0x8005ED08)
SetType(0x8005ED08, "void SyncQSTLever__Fi(int i)")
del_items(0x8005EE00)
SetType(0x8005EE00, "void SyncPedistal__Fi(int i)")
del_items(0x8005EE08)
SetType(0x8005EE08, "void SyncL2Doors__Fi(int i)")
del_items(0x8005EF70)
SetType(0x8005EF70, "void SyncL3Doors__Fi(int i)")
del_items(0x8005F09C)
SetType(0x8005F09C, "void SyncObjectAnim__Fi(int o)")
del_items(0x8005F1DC)
SetType(0x8005F1DC, "void GetObjectStr__Fi(int i)")
del_items(0x8005F698)
SetType(0x8005F698, "void AddLamp__Fiii(int x, int y, int r)")
del_items(0x8005F6D8)
SetType(0x8005F6D8, "void RestoreObjectLight__Fv()")
del_items(0x8005F8A4)
SetType(0x8005F8A4, "int GetOtPos__7CBlocksi_addr_8005F8A4(struct CBlocks *this, int LogicalY)")
del_items(0x8005F8E0)
SetType(0x8005F8E0, "int GetNumOfFrames__7TextDatii_addr_8005F8E0(struct TextDat *this, int Creature, int Action)")
del_items(0x8005F918)
SetType(0x8005F918, "struct CCreatureHdr *GetCreature__7TextDati_addr_8005F918(struct TextDat *this, int Creature)")
del_items(0x8005F934)
SetType(0x8005F934, "unsigned char game_2_ui_class__FPC12PlayerStruct(struct PlayerStruct *p)")
del_items(0x8005F960)
SetType(0x8005F960, "void game_2_ui_player__FPC12PlayerStructP11_uiheroinfoUc(struct PlayerStruct *p, struct _uiheroinfo *heroinfo, unsigned char bHasSaveFile)")
del_items(0x8005FA14)
SetType(0x8005FA14, "void SetupLocalPlayer__Fv()")
del_items(0x8005FA24)
SetType(0x8005FA24, "unsigned char IsDplayer__Fii(int x, int y)")
del_items(0x8005FAB0)
SetType(0x8005FAB0, "bool ismyplr__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FAF4)
SetType(0x8005FAF4, "int plrind__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FB08)
SetType(0x8005FB08, "void InitPlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FB28)
SetType(0x8005FB28, "void FreePlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FB30)
SetType(0x8005FB30, "void NewPlrAnim__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int Peq, int numFrames, int Delay)")
del_items(0x8005FB4C)
SetType(0x8005FB4C, "void ClearPlrPVars__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FB68)
SetType(0x8005FB68, "void SetPlrAnims__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8005FDA4)
SetType(0x8005FDA4, "void CreatePlayer__FP12PlayerStructc(struct PlayerStruct *ptrplr, char c)")
del_items(0x800601AC)
SetType(0x800601AC, "int CalcStatDiff__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060214)
SetType(0x80060214, "void NextPlrLevel__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060390)
SetType(0x80060390, "void AddPlrExperience__FP12PlayerStructil(struct PlayerStruct *ptrplr, int lvl, long exp)")
del_items(0x800605B4)
SetType(0x800605B4, "void AddPlrMonstExper__Filc(int lvl, long exp, char pmask)")
del_items(0x80060638)
SetType(0x80060638, "void InitPlayer__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char FirstTime)")
del_items(0x80060960)
SetType(0x80060960, "void InitMultiView__Fv()")
del_items(0x80060968)
SetType(0x80060968, "unsigned char SolidLoc__Fii(int x, int y)")
del_items(0x80060988)
SetType(0x80060988, "void PlrClrTrans__Fii(int x, int y)")
del_items(0x80060A00)
SetType(0x80060A00, "void PlrDoTrans__Fii(int x, int y)")
del_items(0x80060B18)
SetType(0x80060B18, "void SetPlayerOld__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060B2C)
SetType(0x80060B2C, "void StartStand__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)")
del_items(0x80060BB8)
SetType(0x80060BB8, "void StartWalkStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060C1C)
SetType(0x80060C1C, "void PM_ChangeLightOff__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060C54)
SetType(0x80060C54, "void PM_ChangeOffset__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80060C80)
SetType(0x80060C80, "void StartAttack__FP12PlayerStructi(struct PlayerStruct *ptrplr, int d)")
del_items(0x80060DC4)
SetType(0x80060DC4, "void StartPlrBlock__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)")
del_items(0x80060E5C)
SetType(0x80060E5C, "void StartSpell__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int d, int cx, int cy)")
del_items(0x80061010)
SetType(0x80061010, "void RemovePlrFromMap__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80061018)
SetType(0x80061018, "void StartPlrHit__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int dam, unsigned char forcehit)")
del_items(0x80061164)
SetType(0x80061164, "void RespawnDeadItem__FP10ItemStructii(struct ItemStruct *itm, int x, int y)")
del_items(0x800612F8)
SetType(0x800612F8, "void PlrDeadItem__FP12PlayerStructP10ItemStructii(struct PlayerStruct *ptrplr, struct ItemStruct *itm, int xx, int yy)")
del_items(0x800614C8)
SetType(0x800614C8, "void StartPlayerDropItems__FP12PlayerStructi(struct PlayerStruct *ptrplr, int EarFlag)")
del_items(0x80061528)
SetType(0x80061528, "void TryDropPlayerItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80061664)
SetType(0x80061664, "void StartPlayerKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)")
del_items(0x80061860)
SetType(0x80061860, "void DropHalfPlayersGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80061970)
SetType(0x80061970, "void StartPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)")
del_items(0x80061ABC)
SetType(0x80061ABC, "void SyncPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)")
del_items(0x80061ADC)
SetType(0x80061ADC, "void RemovePlrMissiles__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80061DD8)
SetType(0x80061DD8, "void InitLevelChange__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80061E88)
SetType(0x80061E88, "void CheckPlrDead__Fi(int pnum)")
del_items(0x80061EDC)
SetType(0x80061EDC, "void StartNewLvl__FP12PlayerStructii(struct PlayerStruct *ptrplr, int fom, int lvl)")
del_items(0x80062090)
SetType(0x80062090, "void RestartTownLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80062138)
SetType(0x80062138, "void StartWarpLvl__FP12PlayerStructi(struct PlayerStruct *ptrplr, int pidx)")
del_items(0x80062250)
SetType(0x80062250, "int PM_DoStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80062258)
SetType(0x80062258, "unsigned char ChkPlrOffsets__Fiiii(int wx1, int wy1, int wx2, int wy2)")
del_items(0x80062308)
SetType(0x80062308, "int PM_DoWalk__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80062518)
SetType(0x80062518, "unsigned char WeaponDur__FP12PlayerStructi(struct PlayerStruct *ptrplr, int durrnd)")
del_items(0x800626DC)
SetType(0x800626DC, "unsigned char PlrHitMonst__FP12PlayerStructi(struct PlayerStruct *ptrplr, int m)")
del_items(0x80062D40)
SetType(0x80062D40, "unsigned char PlrHitPlr__FP12PlayerStructc(struct PlayerStruct *ptrplr, char p)")
del_items(0x800630F8)
SetType(0x800630F8, "unsigned char PlrHitObj__FP12PlayerStructii(struct PlayerStruct *ptrplr, int mx, int my)")
del_items(0x80063178)
SetType(0x80063178, "int PM_DoAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8006350C)
SetType(0x8006350C, "int PM_DoRangeAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8006360C)
SetType(0x8006360C, "void ShieldDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800636E0)
SetType(0x800636E0, "int PM_DoBlock__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80063780)
SetType(0x80063780, "void do_spell_anim__FiiiP12PlayerStruct(int aframe, int spell, int clss, struct PlayerStruct *ptrplr)")
del_items(0x80063C60)
SetType(0x80063C60, "int PM_DoSpell__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8006402C)
SetType(0x8006402C, "void ArmorDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80064138)
SetType(0x80064138, "int PM_DoGotHit__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800641CC)
SetType(0x800641CC, "int PM_DoDeath__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800643B4)
SetType(0x800643B4, "int PM_DoNewLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800643BC)
SetType(0x800643BC, "void CheckNewPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8006487C)
SetType(0x8006487C, "unsigned char PlrDeathModeOK__Fi(int p)")
del_items(0x800648E4)
SetType(0x800648E4, "void ValidatePlayer__Fv()")
del_items(0x80064DE0)
SetType(0x80064DE0, "void CheckCheatStats__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80064E7C)
SetType(0x80064E7C, "void ProcessPlayers__Fv()")
del_items(0x80065160)
SetType(0x80065160, "void ClrPlrPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80065188)
SetType(0x80065188, "unsigned char PosOkPlayer__FP12PlayerStructii(struct PlayerStruct *ptrplr, int px, int py)")
del_items(0x80065360)
SetType(0x80065360, "void MakePlrPath__FP12PlayerStructiiUc(struct PlayerStruct *ptrplr, int xx, int yy, unsigned char endspace)")
del_items(0x80065368)
SetType(0x80065368, "void CheckPlrSpell__Fv()")
del_items(0x800657C8)
SetType(0x800657C8, "void SyncInitPlrPos__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800658B0)
SetType(0x800658B0, "void SyncInitPlr__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800658E0)
SetType(0x800658E0, "void CheckStats__Fi(int p)")
del_items(0x80065AB4)
SetType(0x80065AB4, "void ModifyPlrStr__Fii(int p, int l)")
del_items(0x80065BD0)
SetType(0x80065BD0, "void ModifyPlrMag__Fii(int p, int l)")
del_items(0x80065CBC)
SetType(0x80065CBC, "void ModifyPlrDex__Fii(int p, int l)")
del_items(0x80065DA0)
SetType(0x80065DA0, "void ModifyPlrVit__Fii(int p, int l)")
del_items(0x80065E7C)
SetType(0x80065E7C, "void SetPlayerHitPoints__FP12PlayerStructi(struct PlayerStruct *ptrplr, int newhp)")
del_items(0x80065EC0)
SetType(0x80065EC0, "void SetPlrStr__Fii(int p, int v)")
del_items(0x80065F9C)
SetType(0x80065F9C, "void SetPlrMag__Fii(int p, int v)")
del_items(0x8006600C)
SetType(0x8006600C, "void SetPlrDex__Fii(int p, int v)")
del_items(0x800660E8)
SetType(0x800660E8, "void SetPlrVit__Fii(int p, int v)")
del_items(0x80066154)
SetType(0x80066154, "void InitDungMsgs__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x8006615C)
SetType(0x8006615C, "void PlayDungMsgs__Fv()")
del_items(0x8006648C)
SetType(0x8006648C, "void CreatePlrItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800664B4)
SetType(0x800664B4, "void WorldToOffset__FP12PlayerStructii(struct PlayerStruct *ptrplr, int x, int y)")
del_items(0x800664F8)
SetType(0x800664F8, "void SetSpdbarGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)")
del_items(0x8006652C)
SetType(0x8006652C, "int GetSpellLevel__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)")
del_items(0x80066560)
SetType(0x80066560, "void BreakObject__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)")
del_items(0x80066594)
SetType(0x80066594, "void CalcPlrInv__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char bl)")
del_items(0x800665C8)
SetType(0x800665C8, "void RemoveSpdBarItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)")
del_items(0x800665FC)
SetType(0x800665FC, "void M_StartKill__FiP12PlayerStruct(int m, struct PlayerStruct *ptrplr)")
del_items(0x80066634)
SetType(0x80066634, "void SetGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)")
del_items(0x80066668)
SetType(0x80066668, "void HealStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80066690)
SetType(0x80066690, "void HealotherStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800666B8)
SetType(0x800666B8, "int CalculateGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800666E0)
SetType(0x800666E0, "void M_StartHit__FiP12PlayerStructi(int m, struct PlayerStruct *ptrplr, int dam)")
del_items(0x80066728)
SetType(0x80066728, "void TeleStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80066750)
SetType(0x80066750, "void PhaseStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x80066778)
SetType(0x80066778, "void RemoveInvItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)")
del_items(0x800667AC)
SetType(0x800667AC, "void PhaseEnd__FP12PlayerStruct(struct PlayerStruct *ptrplr)")
del_items(0x800667D4)
SetType(0x800667D4, "void OperateObject__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int oi, unsigned char bl)")
del_items(0x80066818)
SetType(0x80066818, "void TryDisarm__FP12PlayerStructi(struct PlayerStruct *ptrplr, int oi)")
del_items(0x8006684C)
SetType(0x8006684C, "void TalkToTowner__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)")
del_items(0x80066880)
SetType(0x80066880, "unsigned char PosOkPlayer__Fiii(int pnum, int x, int y)")
del_items(0x800668CC)
SetType(0x800668CC, "int CalcStatDiff__Fi(int pnum)")
del_items(0x80066918)
SetType(0x80066918, "void StartNewLvl__Fiii(int pnum, int fom, int lvl)")
del_items(0x80066964)
SetType(0x80066964, "void CreatePlayer__Fic(int pnum, char c)")
del_items(0x800669B8)
SetType(0x800669B8, "void StartStand__Fii(int pnum, int dir)")
del_items(0x80066A04)
SetType(0x80066A04, "void SetPlayerHitPoints__Fii(int pnum, int val)")
del_items(0x80066A50)
SetType(0x80066A50, "void MakePlrPath__FiiiUc(int pnum, int xx, int yy, unsigned char endspace)")
del_items(0x80066AA0)
SetType(0x80066AA0, "void StartWarpLvl__Fii(int pnum, int pidx)")
del_items(0x80066AEC)
SetType(0x80066AEC, "void SyncPlrKill__Fii(int pnum, int earflag)")
del_items(0x80066B38)
SetType(0x80066B38, "void StartPlrKill__Fii(int pnum, int val)")
del_items(0x80066B84)
SetType(0x80066B84, "void NewPlrAnim__Fiiii(int pnum, int Peq, int numFrames, int Delay)")
del_items(0x80066BD0)
SetType(0x80066BD0, "void AddPlrExperience__Fiil(int pnum, int lvl, long exp)")
del_items(0x80066C1C)
SetType(0x80066C1C, "void StartPlrBlock__Fii(int pnum, int dir)")
del_items(0x80066C68)
SetType(0x80066C68, "void StartPlrHit__FiiUc(int pnum, int dam, unsigned char forcehit)")
del_items(0x80066CB8)
SetType(0x80066CB8, "void StartSpell__Fiiii(int pnum, int d, int cx, int cy)")
del_items(0x80066D04)
SetType(0x80066D04, "void InitPlayer__FiUc(int pnum, unsigned char FirstTime)")
del_items(0x80066D54)
SetType(0x80066D54, "void PM_ChangeLightOff__Fi(int pnum)")
del_items(0x80066DA0)
SetType(0x80066DA0, "void CheckNewPath__Fi(int pnum)")
del_items(0x80066DEC)
SetType(0x80066DEC, "void FreePlayerGFX__Fi(int pnum)")
del_items(0x80066E38)
SetType(0x80066E38, "void InitDungMsgs__Fi(int pnum)")
del_items(0x80066E84)
SetType(0x80066E84, "void InitPlayerGFX__Fi(int pnum)")
del_items(0x80066ED0)
SetType(0x80066ED0, "void SyncInitPlrPos__Fi(int pnum)")
del_items(0x80066F1C)
SetType(0x80066F1C, "void SetPlrAnims__Fi(int pnum)")
del_items(0x80066F68)
SetType(0x80066F68, "void ClrPlrPath__Fi(int pnum)")
del_items(0x80066FB4)
SetType(0x80066FB4, "void SyncInitPlr__Fi(int pnum)")
del_items(0x80067000)
SetType(0x80067000, "void RestartTownLvl__Fi(int pnum)")
del_items(0x8006704C)
SetType(0x8006704C, "void SetPlayerOld__Fi(int pnum)")
del_items(0x80067098)
SetType(0x80067098, "void GetGoldSeed__FP12PlayerStructP10ItemStruct(struct PlayerStruct *ptrplr, struct ItemStruct *h)")
del_items(0x800670CC)
SetType(0x800670CC, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800670CC(struct POLY_FT4 **Prim)")
del_items(0x80067148)
SetType(0x80067148, "bool Active__11SpellTarget_addr_80067148(struct SpellTarget *this)")
del_items(0x80067154)
SetType(0x80067154, "struct CPlayer *GetPlayer__7CPlayeri_addr_80067154(int PNum)")
del_items(0x800671A4)
SetType(0x800671A4, "int GetLastOtPos__C7CPlayer_addr_800671A4(struct CPlayer *this)")
del_items(0x800671B0)
SetType(0x800671B0, "int GetLastScrY__C7CPlayer(struct CPlayer *this)")
del_items(0x800671BC)
SetType(0x800671BC, "int GetLastScrX__C7CPlayer(struct CPlayer *this)")
del_items(0x800671C8)
SetType(0x800671C8, "void CheckRPortalOK__FPiT0(int *rx, int *ry)")
del_items(0x80067208)
SetType(0x80067208, "void CheckQuests__Fv()")
del_items(0x800676E0)
SetType(0x800676E0, "unsigned char ForceQuests__Fv()")
del_items(0x80067884)
SetType(0x80067884, "unsigned char QuestStatus__Fi(int i)")
del_items(0x80067918)
SetType(0x80067918, "void CheckQuestKill__FiUc(int m, unsigned char sendmsg)")
del_items(0x80067EE0)
SetType(0x80067EE0, "void SetReturnLvlPos__Fv()")
del_items(0x80067FF0)
SetType(0x80067FF0, "void GetReturnLvlPos__Fv()")
del_items(0x80068044)
SetType(0x80068044, "void ResyncQuests__Fv()")
del_items(0x80068530)
SetType(0x80068530, "void PrintQLString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)")
del_items(0x80068784)
SetType(0x80068784, "void DrawQuestLog__Fv()")
del_items(0x8006897C)
SetType(0x8006897C, "void DrawQuestLogTSK__FP4TASK(struct TASK *T)")
del_items(0x80068A54)
SetType(0x80068A54, "void StartQuestlog__Fv()")
del_items(0x80068B88)
SetType(0x80068B88, "void QuestlogUp__Fv()")
del_items(0x80068C20)
SetType(0x80068C20, "void QuestlogDown__Fv()")
del_items(0x80068CD4)
SetType(0x80068CD4, "void RemoveQLog__Fv()")
del_items(0x80068D8C)
SetType(0x80068D8C, "void QuestlogEnter__Fv()")
del_items(0x80068E58)
SetType(0x80068E58, "void QuestlogESC__Fv()")
del_items(0x80068E80)
SetType(0x80068E80, "void SetMultiQuest__FiiUci(int q, int s, unsigned char l, int v1)")
del_items(0x80068F00)
SetType(0x80068F00, "void _GLOBAL__D_questlog()")
del_items(0x80068F28)
SetType(0x80068F28, "void _GLOBAL__I_questlog()")
del_items(0x80068F50)
SetType(0x80068F50, "void SetRGB__6DialogUcUcUc_addr_80068F50(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x80068F70)
SetType(0x80068F70, "void SetBack__6Dialogi_addr_80068F70(struct Dialog *this, int Type)")
del_items(0x80068F78)
SetType(0x80068F78, "void SetBorder__6Dialogi_addr_80068F78(struct Dialog *this, int Type)")
del_items(0x80068F80)
SetType(0x80068F80, "void ___6Dialog_addr_80068F80(struct Dialog *this, int __in_chrg)")
del_items(0x80068FA8)
SetType(0x80068FA8, "struct Dialog *__6Dialog_addr_80068FA8(struct Dialog *this)")
del_items(0x80069028)
SetType(0x80069028, "int GetOverlayOtBase__7CBlocks_addr_80069028()")
del_items(0x80069030)
SetType(0x80069030, "void DrawView__Fii(int StartX, int StartY)")
del_items(0x800691E4)
SetType(0x800691E4, "void DrawAndBlit__Fv()")
del_items(0x800692B8)
SetType(0x800692B8, "void FreeStoreMem__Fv()")
del_items(0x800692C0)
SetType(0x800692C0, "void DrawSTextBack__Fv()")
del_items(0x80069330)
SetType(0x80069330, "void DrawStoreArrows__Fv()")
del_items(0x800694B0)
SetType(0x800694B0, "void PrintSString__FiiUcPcci(int x, int y, unsigned char cjustflag, char *str, int col, int val)")
del_items(0x80069958)
SetType(0x80069958, "void DrawSLine__Fi(int y)")
del_items(0x800699EC)
SetType(0x800699EC, "void ClearSText__Fii(int s, int e)")
del_items(0x80069A84)
SetType(0x80069A84, "void AddSLine__Fi(int y)")
del_items(0x80069AD4)
SetType(0x80069AD4, "void AddSTextVal__Fii(int y, int val)")
del_items(0x80069AFC)
SetType(0x80069AFC, "void OffsetSTextY__Fii(int y, int yo)")
del_items(0x80069B24)
SetType(0x80069B24, "void AddSText__FiiUcPccUc(int x, int y, unsigned char j, char *str, int clr, int sel)")
del_items(0x80069BE0)
SetType(0x80069BE0, "void PrintStoreItem__FPC10ItemStructic(struct ItemStruct *x, int l, char iclr)")
del_items(0x8006A0F0)
SetType(0x8006A0F0, "void StoreAutoPlace__Fv()")
del_items(0x8006A730)
SetType(0x8006A730, "void S_StartSmith__Fv()")
del_items(0x8006A8B8)
SetType(0x8006A8B8, "void S_ScrollSBuy__Fi(int idx)")
del_items(0x8006AAC0)
SetType(0x8006AAC0, "void S_StartSBuy__Fv()")
del_items(0x8006AC90)
SetType(0x8006AC90, "void S_ScrollSPBuy__Fi(int idx)")
del_items(0x8006AEF0)
SetType(0x8006AEF0, "unsigned char S_StartSPBuy__Fv()")
del_items(0x8006B0B0)
SetType(0x8006B0B0, "unsigned char SmithSellOk__Fi(int i)")
del_items(0x8006B198)
SetType(0x8006B198, "void S_ScrollSSell__Fi(int idx)")
del_items(0x8006B3EC)
SetType(0x8006B3EC, "void S_StartSSell__Fv()")
del_items(0x8006B824)
SetType(0x8006B824, "unsigned char SmithRepairOk__Fi(int i)")
del_items(0x8006B8CC)
SetType(0x8006B8CC, "void AddStoreHoldRepair__FP10ItemStructi(struct ItemStruct *itm, int i)")
del_items(0x8006BAB4)
SetType(0x8006BAB4, "void S_StartSRepair__Fv()")
del_items(0x8006BF84)
SetType(0x8006BF84, "void S_StartWitch__Fv()")
del_items(0x8006C10C)
SetType(0x8006C10C, "int CheckWitchItem__Fi(int idx)")
del_items(0x8006C1B0)
SetType(0x8006C1B0, "void S_ScrollWBuy__Fi(int idx)")
del_items(0x8006C3F4)
SetType(0x8006C3F4, "void S_StartWBuy__Fv()")
del_items(0x8006C748)
SetType(0x8006C748, "unsigned char WitchSellOk__Fi(int i)")
del_items(0x8006C894)
SetType(0x8006C894, "void S_StartWSell__Fv()")
del_items(0x8006CF0C)
SetType(0x8006CF0C, "unsigned char WitchRechargeOk__Fi(int i)")
del_items(0x8006CF98)
SetType(0x8006CF98, "void AddStoreHoldRecharge__FG10ItemStructi(struct ItemStruct itm, int i)")
del_items(0x8006D120)
SetType(0x8006D120, "void S_StartWRecharge__Fv()")
del_items(0x8006D550)
SetType(0x8006D550, "void S_StartNoMoney__Fv()")
del_items(0x8006D5B8)
SetType(0x8006D5B8, "void S_StartNoRoom__Fv()")
del_items(0x8006D618)
SetType(0x8006D618, "void S_StartNoItems__Fv()")
del_items(0x8006D6CC)
SetType(0x8006D6CC, "void S_StartConfirm__Fv()")
del_items(0x8006DA34)
SetType(0x8006DA34, "void S_StartBoy__Fv()")
del_items(0x8006DBDC)
SetType(0x8006DBDC, "void S_StartBBoy__Fv()")
del_items(0x8006DE10)
SetType(0x8006DE10, "void S_StartHealer__Fv()")
del_items(0x8006DFE4)
SetType(0x8006DFE4, "void S_ScrollHBuy__Fi(int idx)")
del_items(0x8006E1CC)
SetType(0x8006E1CC, "void S_StartHBuy__Fv()")
del_items(0x8006E304)
SetType(0x8006E304, "void S_StartStory__Fv()")
del_items(0x8006E3F4)
SetType(0x8006E3F4, "unsigned char IdItemOk__FP10ItemStruct(struct ItemStruct *i)")
del_items(0x8006E428)
SetType(0x8006E428, "void AddStoreHoldId__FG10ItemStructi(struct ItemStruct itm, int i)")
del_items(0x8006E504)
SetType(0x8006E504, "void S_StartSIdentify__Fv()")
del_items(0x8006EFA4)
SetType(0x8006EFA4, "void S_StartIdShow__Fv()")
del_items(0x8006F17C)
SetType(0x8006F17C, "void S_StartTalk__Fv()")
del_items(0x8006F3AC)
SetType(0x8006F3AC, "void S_StartTavern__Fv()")
del_items(0x8006F4A4)
SetType(0x8006F4A4, "void S_StartBarMaid__Fv()")
del_items(0x8006F578)
SetType(0x8006F578, "void S_StartDrunk__Fv()")
del_items(0x8006F64C)
SetType(0x8006F64C, "void StartStore__Fc(char s)")
del_items(0x8006F9A8)
SetType(0x8006F9A8, "void DrawStoreHelpText__Fv()")
del_items(0x8006FA44)
SetType(0x8006FA44, "void DrawSText__Fv()")
del_items(0x8006FA84)
SetType(0x8006FA84, "void DrawSTextTSK__FP4TASK(struct TASK *T)")
del_items(0x8006FB8C)
SetType(0x8006FB8C, "void DoThatDrawSText__Fv()")
del_items(0x8006FD94)
SetType(0x8006FD94, "void STextESC__Fv()")
del_items(0x8006FF38)
SetType(0x8006FF38, "void STextUp__Fv()")
del_items(0x800700BC)
SetType(0x800700BC, "void STextDown__Fv()")
del_items(0x80070250)
SetType(0x80070250, "void S_SmithEnter__Fv()")
del_items(0x80070328)
SetType(0x80070328, "void SetGoldCurs__Fii(int pnum, int i)")
del_items(0x800703A8)
SetType(0x800703A8, "void SetSpdbarGoldCurs__Fii(int pnum, int i)")
del_items(0x80070428)
SetType(0x80070428, "void TakePlrsMoney__Fl(long cost)")
del_items(0x80070874)
SetType(0x80070874, "void SmithBuyItem__Fv()")
del_items(0x80070AF4)
SetType(0x80070AF4, "void S_SBuyEnter__Fv()")
del_items(0x80070D58)
SetType(0x80070D58, "void SmithBuyPItem__Fv()")
del_items(0x80070F1C)
SetType(0x80070F1C, "void S_SPBuyEnter__Fv()")
del_items(0x80071188)
SetType(0x80071188, "unsigned char StoreGoldFit__Fi(int idx)")
del_items(0x80071440)
SetType(0x80071440, "void PlaceStoreGold__Fl(long v)")
del_items(0x800716E0)
SetType(0x800716E0, "void StoreSellItem__Fv()")
del_items(0x80071A24)
SetType(0x80071A24, "void S_SSellEnter__Fv()")
del_items(0x80071B34)
SetType(0x80071B34, "void SmithRepairItem__Fv()")
del_items(0x80071DA8)
SetType(0x80071DA8, "void S_SRepairEnter__Fv()")
del_items(0x80071F0C)
SetType(0x80071F0C, "void S_WitchEnter__Fv()")
del_items(0x80071FEC)
SetType(0x80071FEC, "void WitchBuyItem__Fv()")
del_items(0x80072270)
SetType(0x80072270, "void S_WBuyEnter__Fv()")
del_items(0x800724F8)
SetType(0x800724F8, "void S_WSellEnter__Fv()")
del_items(0x80072638)
SetType(0x80072638, "void WitchRechargeItem__Fv()")
del_items(0x800727B4)
SetType(0x800727B4, "void S_WRechargeEnter__Fv()")
del_items(0x80072918)
SetType(0x80072918, "void S_BoyEnter__Fv()")
del_items(0x80072AB0)
SetType(0x80072AB0, "void BoyBuyItem__Fv()")
del_items(0x80072B50)
SetType(0x80072B50, "void HealerBuyItem__Fv()")
del_items(0x80072E7C)
SetType(0x80072E7C, "void S_BBuyEnter__Fv()")
del_items(0x80073090)
SetType(0x80073090, "void StoryIdItem__Fv()")
del_items(0x800733E0)
SetType(0x800733E0, "void S_ConfirmEnter__Fv()")
del_items(0x800734FC)
SetType(0x800734FC, "void S_HealerEnter__Fv()")
del_items(0x80073594)
SetType(0x80073594, "void S_HBuyEnter__Fv()")
del_items(0x800737C8)
SetType(0x800737C8, "void S_StoryEnter__Fv()")
del_items(0x80073864)
SetType(0x80073864, "void S_SIDEnter__Fv()")
del_items(0x800739E8)
SetType(0x800739E8, "void S_TalkEnter__Fv()")
del_items(0x80073BE8)
SetType(0x80073BE8, "void S_TavernEnter__Fv()")
del_items(0x80073C5C)
SetType(0x80073C5C, "void S_BarmaidEnter__Fv()")
del_items(0x80073CD0)
SetType(0x80073CD0, "void S_DrunkEnter__Fv()")
del_items(0x80073D44)
SetType(0x80073D44, "void STextEnter__Fv()")
del_items(0x80073F08)
SetType(0x80073F08, "void CheckStoreBtn__Fv()")
del_items(0x80073FF4)
SetType(0x80073FF4, "void ReleaseStoreBtn__Fv()")
del_items(0x80074008)
SetType(0x80074008, "void _GLOBAL__D_pSTextBoxCels()")
del_items(0x80074030)
SetType(0x80074030, "void _GLOBAL__I_pSTextBoxCels()")
del_items(0x80074058)
SetType(0x80074058, "unsigned short GetDown__C4CPad_addr_80074058(struct CPad *this)")
del_items(0x80074080)
SetType(0x80074080, "void SetRGB__6DialogUcUcUc_addr_80074080(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x800740A0)
SetType(0x800740A0, "void SetBorder__6Dialogi_addr_800740A0(struct Dialog *this, int Type)")
del_items(0x800740A8)
SetType(0x800740A8, "void ___6Dialog_addr_800740A8(struct Dialog *this, int __in_chrg)")
del_items(0x800740D0)
SetType(0x800740D0, "struct Dialog *__6Dialog_addr_800740D0(struct Dialog *this)")
del_items(0x80074150)
SetType(0x80074150, "int GetOverlayOtBase__7CBlocks_addr_80074150()")
del_items(0x80074158)
SetType(0x80074158, "void T_DrawView__Fii(int StartX, int StartY)")
del_items(0x80074308)
SetType(0x80074308, "void T_FillSector__FPUcT0iiiib(unsigned char *P3Tiles, unsigned char *pSector, int xi, int yi, int w, int h, bool AddSec)")
del_items(0x8007454C)
SetType(0x8007454C, "void T_FillTile__FPUciii(unsigned char *P3Tiles, int xx, int yy, int t)")
del_items(0x8007465C)
SetType(0x8007465C, "void TownFixupBodges__Fv()")
del_items(0x8007469C)
SetType(0x8007469C, "void T_Pass3__Fv()")
del_items(0x80074A28)
SetType(0x80074A28, "void CreateTown__Fi(int entry)")
del_items(0x80074B7C)
SetType(0x80074B7C, "unsigned char *GRL_LoadFileInMemSig__FPCcPUl(char *Name, unsigned long *Len)")
del_items(0x80074C60)
SetType(0x80074C60, "void GRL_StripDir__FPcPCc(char *Dest, char *Src)")
del_items(0x80074CF8)
SetType(0x80074CF8, "void InitVPTriggers__Fv()")
del_items(0x80074D40)
SetType(0x80074D40, "bool FindLevTrig__Fiii(int x, int y, int l)")
del_items(0x80074DD8)
SetType(0x80074DD8, "void ScanMap__FPsi(short *list, int l)")
del_items(0x80074EE0)
SetType(0x80074EE0, "int FindBlock__Fii(int x, int y)")
del_items(0x80074F7C)
SetType(0x80074F7C, "void ChangeBlock__Fiii(int x, int y, int bl)")
del_items(0x800750C0)
SetType(0x800750C0, "void ScanBlocks__FPs(short *list)")
del_items(0x800751C8)
SetType(0x800751C8, "void BuildLevTrigs__Fv()")
del_items(0x8007535C)
SetType(0x8007535C, "void DrawFRIG__Fv()")
del_items(0x8007537C)
SetType(0x8007537C, "unsigned char ForceTownTrig__Fv()")
del_items(0x80075568)
SetType(0x80075568, "unsigned char ForceL1Trig__Fv()")
del_items(0x80075728)
SetType(0x80075728, "unsigned char ForceL2Trig__Fv()")
del_items(0x80075A28)
SetType(0x80075A28, "unsigned char ForceL3Trig__Fv()")
del_items(0x80075D34)
SetType(0x80075D34, "unsigned char ForceL4Trig__Fv()")
del_items(0x80076070)
SetType(0x80076070, "void Freeupstairs__Fv()")
del_items(0x80076120)
SetType(0x80076120, "unsigned char ForceSKingTrig__Fv()")
del_items(0x800761AC)
SetType(0x800761AC, "unsigned char ForceSChambTrig__Fv()")
del_items(0x80076238)
SetType(0x80076238, "unsigned char ForcePWaterTrig__Fv()")
del_items(0x800762C4)
SetType(0x800762C4, "void CheckTrigForce__Fv()")
del_items(0x800765D0)
SetType(0x800765D0, "void FadeGameOut__Fv()")
del_items(0x80076674)
SetType(0x80076674, "bool IsTrigger__Fii(int x, int y)")
del_items(0x8007676C)
SetType(0x8007676C, "bool CheckTrigLevel__Fi(int level)")
del_items(0x800767A8)
SetType(0x800767A8, "void CheckTriggers__Fi(int pnum)")
del_items(0x80076D34)
SetType(0x80076D34, "int GetManaAmount__Fii(int id, int sn)")
del_items(0x80076FE8)
SetType(0x80076FE8, "void UseMana__Fii(int id, int sn)")
del_items(0x80077178)
SetType(0x80077178, "unsigned char CheckSpell__FiicUc(int id, int sn, char st, unsigned char manaonly)")
del_items(0x80077218)
SetType(0x80077218, "void CastSpell__Fiiiiiiii(int id, int spl, int sx, int sy, int dx, int dy, int caster, int spllvl)")
del_items(0x80077530)
SetType(0x80077530, "void DoResurrect__Fii(int pnum, int rid)")
del_items(0x80077798)
SetType(0x80077798, "void DoHealOther__Fii(int pnum, int rid)")
del_items(0x800779FC)
SetType(0x800779FC, "void snd_update__FUc(unsigned char bStopAll)")
del_items(0x80077A04)
SetType(0x80077A04, "void snd_stop_snd__FP4TSnd(struct TSnd *pSnd)")
del_items(0x80077A40)
SetType(0x80077A40, "void snd_play_snd__FP4TSFXll(struct TSFX *pSnd, long lVolume, long lPan)")
del_items(0x80077A88)
SetType(0x80077A88, "void snd_play_msnd__FUsll(unsigned short pszName, long lVolume, long lPan)")
del_items(0x80077B28)
SetType(0x80077B28, "void snd_init__FUl(unsigned long hWnd)")
del_items(0x80077B38)
SetType(0x80077B38, "void music_stop__Fv()")
del_items(0x80077B78)
SetType(0x80077B78, "void music_fade__Fv()")
del_items(0x80077BB8)
SetType(0x80077BB8, "void music_start__Fi(int nTrack)")
del_items(0x80077C58)
SetType(0x80077C58, "unsigned char snd_playing__Fi(int SFXNo)")
del_items(0x80077C78)
SetType(0x80077C78, "void ClrCursor__Fi(int num)")
del_items(0x80077CD4)
SetType(0x80077CD4, "void HappyMan__Fi(int n)")
del_items(0x80077CE4)
SetType(0x80077CE4, "void flyabout__7GamePad(struct GamePad *this)")
del_items(0x800780E0)
SetType(0x800780E0, "void CloseInvChr__Fv()")
del_items(0x80078128)
SetType(0x80078128, "void WorldToOffset__Fiii(int pnum, int WorldX, int WorldY)")
del_items(0x800781A8)
SetType(0x800781A8, "char pad_UpIsUpRight__Fic(int pval, char other)")
del_items(0x80078264)
SetType(0x80078264, "struct GamePad *__7GamePadi(struct GamePad *this, int player_num)")
del_items(0x80078318)
SetType(0x80078318, "void SetMoveStyle__7GamePadc(struct GamePad *this, char style_num)")
del_items(0x80078320)
SetType(0x80078320, "void SetDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())")
del_items(0x80078364)
SetType(0x80078364, "void SetComboDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())")
del_items(0x800783A8)
SetType(0x800783A8, "void SetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)")
del_items(0x80078610)
SetType(0x80078610, "void GetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)")
del_items(0x800787C8)
SetType(0x800787C8, "int GetActionButton__7GamePadPFi_v(struct GamePad *this, void (*func)())")
del_items(0x80078824)
SetType(0x80078824, "void SetUpAction__7GamePadPFi_vT1(struct GamePad *this, void (*func)(), void (*upfunc)())")
del_items(0x80078860)
SetType(0x80078860, "void RunFunc__7GamePadi(struct GamePad *this, int pad)")
del_items(0x8007894C)
SetType(0x8007894C, "void ButtonDown__7GamePadi(struct GamePad *this, int button)")
del_items(0x80078D64)
SetType(0x80078D64, "void TestButtons__7GamePad(struct GamePad *this)")
del_items(0x80078E70)
SetType(0x80078E70, "bool CheckCentre__7GamePadi(struct GamePad *this, int dir)")
del_items(0x80078F68)
SetType(0x80078F68, "int CheckDirs__7GamePadi(struct GamePad *this, int dir)")
del_items(0x80078F98)
SetType(0x80078F98, "int CheckDirs__7GamePadiii(struct GamePad *this, int dir, int wx, int wy)")
del_items(0x800790A0)
SetType(0x800790A0, "int CheckSide__7GamePadi(struct GamePad *this, int dir)")
del_items(0x800790E0)
SetType(0x800790E0, "bool newDirOk__7GamePadi(struct GamePad *this, int dir)")
del_items(0x80079190)
SetType(0x80079190, "int CheckDiagBodge__7GamePadi(struct GamePad *this, int dir)")
del_items(0x80079484)
SetType(0x80079484, "int CheckIsoBodge__7GamePadi(struct GamePad *this, int dir)")
del_items(0x800797F0)
SetType(0x800797F0, "int CheckBodge__7GamePadi(struct GamePad *this, int dir)")
del_items(0x80079950)
SetType(0x80079950, "void walk__7GamePadi(struct GamePad *this, int cmd)")
del_items(0x80079C98)
SetType(0x80079C98, "void check_around_player__7GamePad(struct GamePad *this)")
del_items(0x80079FD4)
SetType(0x80079FD4, "void show_combos__7GamePad(struct GamePad *this)")
del_items(0x8007A260)
SetType(0x8007A260, "void Handle__7GamePad(struct GamePad *this)")
del_items(0x8007A95C)
SetType(0x8007A95C, "void GamePadTask__FP4TASK(struct TASK *T)")
del_items(0x8007AA54)
SetType(0x8007AA54, "struct GamePad *GetGamePad__Fi(int pnum)")
del_items(0x8007AA74)
SetType(0x8007AA74, "void PostGamePad__Fiiii(int val, int var1, int var2, int var3)")
del_items(0x8007AB78)
SetType(0x8007AB78, "void Init_GamePad__Fv()")
del_items(0x8007ABA8)
SetType(0x8007ABA8, "void InitGamePadVars__Fv()")
del_items(0x8007AD34)
SetType(0x8007AD34, "int SetWalkStyle__Fii(int pnum, int style)")
del_items(0x8007ADA4)
SetType(0x8007ADA4, "char GetPadStyle__Fi(int pnum)")
del_items(0x8007ADC8)
SetType(0x8007ADC8, "void _GLOBAL__I_flyflag()")
del_items(0x8007AE00)
SetType(0x8007AE00, "bool Active__11SpellTarget_addr_8007AE00(struct SpellTarget *this)")
del_items(0x8007AE0C)
SetType(0x8007AE0C, "void MoveToScrollTarget__7CBlocks_addr_8007AE0C(struct CBlocks *this)")
del_items(0x8007AE20)
SetType(0x8007AE20, "unsigned short GetDown__C4CPad_addr_8007AE20(struct CPad *this)")
del_items(0x8007AE48)
SetType(0x8007AE48, "unsigned short GetUp__C4CPad_addr_8007AE48(struct CPad *this)")
del_items(0x8007AE70)
SetType(0x8007AE70, "unsigned short GetCur__C4CPad_addr_8007AE70(struct CPad *this)")
del_items(0x8007AE98)
SetType(0x8007AE98, "void DoGameTestStuff__Fv()")
del_items(0x8007AEC4)
SetType(0x8007AEC4, "void DoInitGameStuff__Fv()")
del_items(0x8007AEF8)
SetType(0x8007AEF8, "void *SMemAlloc(unsigned long bytes, char *filename, int linenumber, unsigned long flags)")
del_items(0x8007AF18)
SetType(0x8007AF18, "unsigned char SMemFree(void *ptr, char *filename, int linenumber, unsigned long flags)")
del_items(0x8007AF38)
SetType(0x8007AF38, "void GRL_InitGwin__Fv()")
del_items(0x8007AF44)
SetType(0x8007AF44, "unsigned long (*GRL_SetWindowProc__FPFUlUilUl_Ul(unsigned long (*NewProc)()))()")
del_items(0x8007AF54)
SetType(0x8007AF54, "void GRL_CallWindowProc__FUlUilUl(unsigned long hw, unsigned int msg, long wp, unsigned long lp)")
del_items(0x8007AF7C)
SetType(0x8007AF7C, "unsigned char GRL_PostMessage__FUlUilUl(unsigned long hWnd, unsigned int Msg, long wParam, unsigned long lParam)")
del_items(0x8007B028)
SetType(0x8007B028, "char *Msg2Txt__Fi(int Msg)")
del_items(0x8007B070)
SetType(0x8007B070, "enum LANG_TYPE LANG_GetLang__Fv()")
del_items(0x8007B07C)
SetType(0x8007B07C, "void LANG_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)")
del_items(0x8007B250)
SetType(0x8007B250, "char *GetStr__Fi(int StrId)")
del_items(0x8007B2CC)
SetType(0x8007B2CC, "void LANG_ReloadMainTXT__Fv()")
del_items(0x8007B310)
SetType(0x8007B310, "void LANG_SetLang__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)")
del_items(0x8007B428)
SetType(0x8007B428, "void DumpCurrentText__Fv()")
del_items(0x8007B480)
SetType(0x8007B480, "int CalcNumOfStrings__FPPc(char **TPtr)")
del_items(0x8007B48C)
SetType(0x8007B48C, "void GetLangFileName__F9LANG_TYPEPc(enum LANG_TYPE NewLanguageType, char *Dest)")
del_items(0x8007B56C)
SetType(0x8007B56C, "char *GetLangFileNameExt__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)")
del_items(0x8007B5EC)
SetType(0x8007B5EC, "void DoPortalFX__FP8POLY_FT4iiii(struct POLY_FT4 *Ft4, int R, int G, int B, int OtPos)")
del_items(0x8007B95C)
SetType(0x8007B95C, "struct POLY_FT4 *TempPrintMissile__FiiiiiiiiccUcUcUcc(int ScrX, int ScrY, int OtPos, int spell, int aframe, int direction, int anim, int sfx, int xflip, int yflip, int red, int grn, int blu, int semi)")
del_items(0x8007BD44)
SetType(0x8007BD44, "void FuncTOWN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007BEE4)
SetType(0x8007BEE4, "void FuncRPORTAL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C000)
SetType(0x8007C000, "void FuncFIREBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C0A8)
SetType(0x8007C0A8, "void FuncHBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C160)
SetType(0x8007C160, "void FuncLIGHTNING__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C1C8)
SetType(0x8007C1C8, "void FuncGUARDIAN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C2EC)
SetType(0x8007C2EC, "void FuncFIREWALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C384)
SetType(0x8007C384, "void FuncFIREMOVE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C41C)
SetType(0x8007C41C, "void FuncFLAME__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C488)
SetType(0x8007C488, "void FuncARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C538)
SetType(0x8007C538, "void FuncFARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C630)
SetType(0x8007C630, "void FuncLARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C720)
SetType(0x8007C720, "void FuncMAGMABALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C7BC)
SetType(0x8007C7BC, "void FuncBONESPIRIT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C8E0)
SetType(0x8007C8E0, "void FuncACID__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C988)
SetType(0x8007C988, "void FuncACIDSPLAT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007C9F0)
SetType(0x8007C9F0, "void FuncACIDPUD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CA58)
SetType(0x8007CA58, "void FuncFLARE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CBE4)
SetType(0x8007CBE4, "void FuncFLAREXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CD60)
SetType(0x8007CD60, "void FuncCBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CDCC)
SetType(0x8007CDCC, "void FuncBOOM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CE2C)
SetType(0x8007CE2C, "void FuncELEMENT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CF00)
SetType(0x8007CF00, "void FuncMISEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CF6C)
SetType(0x8007CF6C, "void FuncRHINO__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007CF74)
SetType(0x8007CF74, "void FuncFLASH__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007D0D4)
SetType(0x8007D0D4, "void FuncMANASHIELD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007D134)
SetType(0x8007D134, "void FuncFLASH2__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007D13C)
SetType(0x8007D13C, "void FuncRESURRECTBEAM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007D170)
SetType(0x8007D170, "void FuncWEAPEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)")
del_items(0x8007D20C)
SetType(0x8007D20C, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8007D20C(struct POLY_FT4 **Prim)")
del_items(0x8007D288)
SetType(0x8007D288, "struct CPlayer *GetPlayer__7CPlayeri_addr_8007D288(int PNum)")
del_items(0x8007D2D8)
SetType(0x8007D2D8, "int GetLastScrY__C7CPlayer_addr_8007D2D8(struct CPlayer *this)")
del_items(0x8007D2E4)
SetType(0x8007D2E4, "int GetLastScrX__C7CPlayer_addr_8007D2E4(struct CPlayer *this)")
del_items(0x8007D2F0)
SetType(0x8007D2F0, "int GetNumOfFrames__7TextDat_addr_8007D2F0(struct TextDat *this)")
del_items(0x8007D304)
SetType(0x8007D304, "struct FRAME_HDR *GetFr__7TextDati_addr_8007D304(struct TextDat *this, int FrNum)")
del_items(0x8007D320)
SetType(0x8007D320, "void ML_Init__Fv()")
del_items(0x8007D358)
SetType(0x8007D358, "int ML_GetList__Fi(int Level)")
del_items(0x8007D3D8)
SetType(0x8007D3D8, "int ML_SetRandomList__Fi(int Level)")
del_items(0x8007D470)
SetType(0x8007D470, "int ML_SetList__Fii(int Level, int List)")
del_items(0x8007D520)
SetType(0x8007D520, "int ML_GetPresetMonsters__FiPiUl(int currlevel, int *typelist, unsigned long QuestsNeededMask)")
del_items(0x8007D710)
SetType(0x8007D710, "struct POLY_FT4 *DefaultObjPrint__FP12ObjectStructiiP7TextDatiii(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos, int XOffSet, int YOffSet)")
del_items(0x8007D8A4)
SetType(0x8007D8A4, "struct POLY_FT4 *LightObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007D968)
SetType(0x8007D968, "struct POLY_FT4 *PrintOBJ_SARC__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007DA30)
SetType(0x8007DA30, "void ResetFlames__Fv()")
del_items(0x8007DAF8)
SetType(0x8007DAF8, "void PrintOBJ_FIRE__Fiii(int ScrX, int ScrY, int OtPos)")
del_items(0x8007DCB0)
SetType(0x8007DCB0, "struct POLY_FT4 *DoorObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007DEEC)
SetType(0x8007DEEC, "void DrawLightSpark__Fiii(int xo, int yo, int ot)")
del_items(0x8007DFCC)
SetType(0x8007DFCC, "struct POLY_FT4 *PrintOBJ_L1LIGHT__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E02C)
SetType(0x8007E02C, "void PrintTorchStick__Fiiii(int x, int y, int f, int OtPos)")
del_items(0x8007E0C0)
SetType(0x8007E0C0, "struct POLY_FT4 *PrintOBJ_TORCHL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E144)
SetType(0x8007E144, "struct POLY_FT4 *PrintOBJ_TORCHR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E1C8)
SetType(0x8007E1C8, "struct POLY_FT4 *PrintOBJ_TORCHL2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E254)
SetType(0x8007E254, "struct POLY_FT4 *PrintOBJ_TORCHR2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E2E0)
SetType(0x8007E2E0, "struct POLY_FT4 *PrintOBJ_BARRELEX__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E438)
SetType(0x8007E438, "struct POLY_FT4 *PrintOBJ_SHRINEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E510)
SetType(0x8007E510, "struct POLY_FT4 *PrintOBJ_SHRINER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E5E8)
SetType(0x8007E5E8, "struct POLY_FT4 *PrintOBJ_BOOKCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E60C)
SetType(0x8007E60C, "struct POLY_FT4 *PrintOBJ_MCIRCLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E7A8)
SetType(0x8007E7A8, "struct POLY_FT4 *PrintOBJ_STORYBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E930)
SetType(0x8007E930, "struct POLY_FT4 *PrintOBJ_STORYCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E954)
SetType(0x8007E954, "struct POLY_FT4 *PrintOBJ_CANDLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E978)
SetType(0x8007E978, "struct POLY_FT4 *PrintOBJ_CANDLE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E99C)
SetType(0x8007E99C, "struct POLY_FT4 *PrintOBJ_STAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007E9D8)
SetType(0x8007E9D8, "struct POLY_FT4 *PrintOBJ_SKFIRE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)")
del_items(0x8007EA3C)
SetType(0x8007EA3C, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_8007EA3C(struct POLY_FT4 *Prim)")
del_items(0x8007EA78)
SetType(0x8007EA78, "void PRIM_CopyPrim__FP8POLY_FT4T0_addr_8007EA78(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)")
del_items(0x8007EAA0)
SetType(0x8007EAA0, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8007EAA0(struct POLY_FT4 **Prim)")
del_items(0x8007EB1C)
SetType(0x8007EB1C, "int GetNumOfFrames__7TextDatii_addr_8007EB1C(struct TextDat *this, int Creature, int Action)")
del_items(0x8007EB54)
SetType(0x8007EB54, "struct CCreatureHdr *GetCreature__7TextDati_addr_8007EB54(struct TextDat *this, int Creature)")
del_items(0x8007EB70)
SetType(0x8007EB70, "struct FRAME_HDR *GetFr__7TextDati_addr_8007EB70(struct TextDat *this, int FrNum)")
del_items(0x8007EB8C)
SetType(0x8007EB8C, "void LoadPalette__FPCc(char *pszFileName)")
del_items(0x8007EB94)
SetType(0x8007EB94, "void LoadRndLvlPal__Fi(int l)")
del_items(0x8007EB9C)
SetType(0x8007EB9C, "void ResetPal__Fv()")
del_items(0x8007EBA4)
SetType(0x8007EBA4, "void SetFadeLevel__Fi(int fadeval)")
del_items(0x8007EBD4)
SetType(0x8007EBD4, "bool GetFadeState__Fv()")
del_items(0x8007EBE0)
SetType(0x8007EBE0, "void SetPolyXY__FP8POLY_GT4PUc(struct POLY_GT4 *gt4, unsigned char *coords)")
del_items(0x8007ECFC)
SetType(0x8007ECFC, "void SmearScreen__Fv()")
del_items(0x8007ED04)
SetType(0x8007ED04, "void DrawFadedScreen__Fv()")
del_items(0x8007ED8C)
SetType(0x8007ED8C, "void BlackPalette__Fv()")
del_items(0x8007EE88)
SetType(0x8007EE88, "void PaletteFadeInTask__FP4TASK(struct TASK *T)")
del_items(0x8007EF18)
SetType(0x8007EF18, "bool PaletteFadeIn__Fi(int fr)")
del_items(0x8007EF70)
SetType(0x8007EF70, "void PaletteFadeOutTask__FP4TASK(struct TASK *T)")
del_items(0x8007F020)
SetType(0x8007F020, "bool PaletteFadeOut__Fi(int fr)")
del_items(0x8007F074)
SetType(0x8007F074, "int GetMaxOtPos__7CBlocks_addr_8007F074()")
del_items(0x8007F07C)
SetType(0x8007F07C, "void M_CheckEFlag__Fi(int i)")
del_items(0x8007F0A4)
SetType(0x8007F0A4, "void M_ClearSquares__Fi(int i)")
del_items(0x8007F1E4)
SetType(0x8007F1E4, "unsigned char IsSkel__Fi(int mt)")
del_items(0x8007F244)
SetType(0x8007F244, "void NewMonsterAnim__FiR10AnimStructii(int i, struct AnimStruct *anim, int md, int AnimType)")
del_items(0x8007F298)
SetType(0x8007F298, "unsigned char M_Talker__Fi(int i)")
del_items(0x8007F300)
SetType(0x8007F300, "void M_Enemy__Fi(int i)")
del_items(0x8007F518)
SetType(0x8007F518, "void ClearMVars__Fi(int i)")
del_items(0x8007F594)
SetType(0x8007F594, "void InitMonster__Fiiiii(int i, int rd, int mtype, int x, int y)")
del_items(0x8007FB2C)
SetType(0x8007FB2C, "int AddMonster__FiiiiUc(int x, int y, int dir, int mtype, int InMap)")
del_items(0x8007FBCC)
SetType(0x8007FBCC, "void M_StartStand__Fii(int i, int md)")
del_items(0x8007FD3C)
SetType(0x8007FD3C, "void M_UpdateLeader__Fi(int i)")
del_items(0x8007FE4C)
SetType(0x8007FE4C, "void ActivateSpawn__Fiiii(int i, int x, int y, int dir)")
del_items(0x8007FEEC)
SetType(0x8007FEEC, "unsigned char SpawnSkeleton__Fiii(int ii, int x, int y)")
del_items(0x800800DC)
SetType(0x800800DC, "void M_StartSpStand__Fii(int i, int md)")
del_items(0x800801C4)
SetType(0x800801C4, "unsigned char PosOkMonst__Fiii(int i, int x, int y)")
del_items(0x80080418)
SetType(0x80080418, "unsigned char CanPut__Fii(int i, int j)")
del_items(0x800806CC)
SetType(0x800806CC, "int encode_enemy__Fi(int m)")
del_items(0x8008072C)
SetType(0x8008072C, "unsigned short GetAutomapType__FiiUc(int x, int y, unsigned char view)")
del_items(0x80080800)
SetType(0x80080800, "void SetAutomapView__Fii(int x, int y)")
del_items(0x80080C50)
SetType(0x80080C50, "void AddWarpMissile__Fiii(int i, int x, int y)")
del_items(0x80080D38)
SetType(0x80080D38, "void SyncPortals__Fv()")
del_items(0x80080E8C)
SetType(0x80080E8C, "void ActivatePortal__FiiiiiUc(int i, int x, int y, int lvl, int lvltype, int sp)")
del_items(0x80080F18)
SetType(0x80080F18, "void DeactivatePortal__Fi(int i)")
del_items(0x80080F38)
SetType(0x80080F38, "unsigned char PortalOnLevel__Fi(int i)")
del_items(0x80080F70)
SetType(0x80080F70, "void DelMis__Fii(int mi, int i)")
del_items(0x80080FD0)
SetType(0x80080FD0, "void RemovePortalMissile__Fi(int id)")
del_items(0x8008112C)
SetType(0x8008112C, "void SetCurrentPortal__Fi(int p)")
del_items(0x80081138)
SetType(0x80081138, "void GetPortalLevel__Fv()")
del_items(0x8008129C)
SetType(0x8008129C, "void GetPortalLvlPos__Fv()")
del_items(0x80081350)
SetType(0x80081350, "struct CompLevelMaps *__13CompLevelMapsRC9CompClass(struct CompLevelMaps *this, struct CompClass *NewCompObj)")
del_items(0x800813BC)
SetType(0x800813BC, "void ___13CompLevelMaps(struct CompLevelMaps *this, int __in_chrg)")
del_items(0x8008144C)
SetType(0x8008144C, "void Init__13CompLevelMaps(struct CompLevelMaps *this)")
del_items(0x8008147C)
SetType(0x8008147C, "void InitAllMaps__13CompLevelMaps(struct CompLevelMaps *this)")
del_items(0x800814D0)
SetType(0x800814D0, "struct DLevel *GetMap__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)")
del_items(0x8008154C)
SetType(0x8008154C, "void ReleaseMap__13CompLevelMapsP6DLevel(struct CompLevelMaps *this, struct DLevel *Dl)")
del_items(0x800815EC)
SetType(0x800815EC, "void ImportData__13CompLevelMapsP14CompressedLevs(struct CompLevelMaps *this, struct CompressedLevs *Levs)")
del_items(0x80081698)
SetType(0x80081698, "int ExportData__13CompLevelMapsPUc(struct CompLevelMaps *this, unsigned char *U8Dest)")
del_items(0x80081744)
SetType(0x80081744, "void MakeSureMapXDecomped__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)")
del_items(0x800817F0)
SetType(0x800817F0, "void Init__4AMap(struct AMap *this)")
del_items(0x8008185C)
SetType(0x8008185C, "int WriteCompressed__4AMapPUcRC9CompClass(struct AMap *this, unsigned char *Dest, struct CompClass *CompObj)")
del_items(0x800818D0)
SetType(0x800818D0, "void SetCompData__4AMapPCUci(struct AMap *this, unsigned char *Data, int NewSize)")
del_items(0x800819C0)
SetType(0x800819C0, "struct DLevel *GetMap__4AMap(struct AMap *this)")
del_items(0x80081AE0)
SetType(0x80081AE0, "void ReleaseMap__4AMapP6DLevel(struct AMap *this, struct DLevel *Dl)")
del_items(0x80081B70)
SetType(0x80081B70, "void CompressMap__4AMapRC9CompClass(struct AMap *this, struct CompClass *CompObj)")
del_items(0x80081D34)
SetType(0x80081D34, "void DecompressMap__4AMapRC9CompClass(struct AMap *this, struct CompClass *CompObj)")
del_items(0x80081E68)
SetType(0x80081E68, "void CheckMapNum__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)")
del_items(0x80081E9C)
SetType(0x80081E9C, "bool IsCompressed__4AMap(struct AMap *this)")
del_items(0x80081EA8)
SetType(0x80081EA8, "void ___4AMap(struct AMap *this, int __in_chrg)")
del_items(0x80081EF0)
SetType(0x80081EF0, "struct AMap *__4AMap(struct AMap *this)")
del_items(0x80081F24)
SetType(0x80081F24, "bool IS_GameOver__Fv()")
del_items(0x80081F4C)
SetType(0x80081F4C, "void GO_DoGameOver__Fv()")
del_items(0x80081F94)
SetType(0x80081F94, "void GameOverTask__FP4TASK(struct TASK *T)")
del_items(0x80082198)
SetType(0x80082198, "void PrintGameOver__Fv()")
del_items(0x800822D8)
SetType(0x800822D8, "unsigned short GetDown__C4CPad_addr_800822D8(struct CPad *this)")
del_items(0x80082300)
SetType(0x80082300, "void SetRGB__6DialogUcUcUc_addr_80082300(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)")
del_items(0x80082320)
SetType(0x80082320, "void SetBack__6Dialogi_addr_80082320(struct Dialog *this, int Type)")
del_items(0x80082328)
SetType(0x80082328, "void SetBorder__6Dialogi_addr_80082328(struct Dialog *this, int Type)")
del_items(0x80082330)
SetType(0x80082330, "void ___6Dialog_addr_80082330(struct Dialog *this, int __in_chrg)")
del_items(0x80082358)
SetType(0x80082358, "struct Dialog *__6Dialog_addr_80082358(struct Dialog *this)")
del_items(0x800823D8)
SetType(0x800823D8, "int GetOverlayOtBase__7CBlocks_addr_800823D8()")
del_items(0x800823E0)
SetType(0x800823E0, "int GetMaxOtPos__7CBlocks_addr_800823E0()")
del_items(0x800823E8)
SetType(0x800823E8, "void VER_InitVersion__Fv()")
del_items(0x8008242C)
SetType(0x8008242C, "char *VER_GetVerString__Fv()")
del_items(0x8008243C)
SetType(0x8008243C, "int CharPair2Num__FPc(char *Str)")
del_items(0x80082464)
SetType(0x80082464, "int FindGetItem__FiUsi(int idx, unsigned short ci, int iseed)")
del_items(0x80082518)
SetType(0x80082518, "void gamemenu_off__Fv()")
del_items(0x80082520)
SetType(0x80082520, "void DPIECE_ERROR__Fv()")
del_items(0x80082528)
SetType(0x80082528, "void AllocdPiece__Fv()")
del_items(0x80082580)
SetType(0x80082580, "void FreedPiece__Fv()")
del_items(0x800825C4)
SetType(0x800825C4, "void ConvertdPiece__Fv()")
del_items(0x8008278C)
SetType(0x8008278C, "short GetDPiece__Fii(int x, int y)")
del_items(0x80082814)
SetType(0x80082814, "void SetDPiece__Fiis(int x, int y, short v)")
del_items(0x800828A8)
SetType(0x800828A8, "void SetdDead__FiiUc(int x, int y, unsigned char v)")
del_items(0x800828E8)
SetType(0x800828E8, "unsigned char GetdDead__Fii(int x, int y)")
del_items(0x80082910)
SetType(0x80082910, "void SetSOLID__Fii(int x, int y)")
del_items(0x8008299C)
SetType(0x8008299C, "void ClearSOLID__Fii(int x, int y)")
del_items(0x80082A28)
SetType(0x80082A28, "bool GetSOLID__Fii(int x, int y)")
del_items(0x80082A70)
SetType(0x80082A70, "void SetMISSILE__Fii(int x, int y)")
del_items(0x80082AFC)
SetType(0x80082AFC, "void ClearMISSILE__Fii(int x, int y)")
del_items(0x80082B88)
SetType(0x80082B88, "bool GetMISSILE__Fii(int x, int y)")
del_items(0x80082BB8)
SetType(0x80082BB8, "void SetBLOCK__Fii(int x, int y)")
del_items(0x80082C44)
SetType(0x80082C44, "void ClearBLOCK__Fii(int x, int y)")
del_items(0x80082CD0)
SetType(0x80082CD0, "bool GetBLOCK__Fii(int x, int y)")
del_items(0x80082D00)
SetType(0x80082D00, "void SetTRAP__Fii(int x, int y)")
del_items(0x80082D8C)
SetType(0x80082D8C, "void ClearTRAP__Fii(int x, int y)")
del_items(0x80082E18)
SetType(0x80082E18, "bool GetTRAP__Fii(int x, int y)")
del_items(0x8001FEFC)
SetType(0x8001FEFC, "void DoEpi(struct TASK *T)")
del_items(0x8001FF4C)
SetType(0x8001FF4C, "void DoPro(struct TASK *T)")
del_items(0x8001FF9C)
SetType(0x8001FF9C, "unsigned char TSK_OpenModule(unsigned long MemType)")
del_items(0x80020010)
SetType(0x80020010, "struct TASK *TSK_AddTask(unsigned long Id, void (*Main)(), int StackSize, int DataSize)")
del_items(0x800201F8)
SetType(0x800201F8, "void TSK_DoTasks()")
del_items(0x800203B8)
SetType(0x800203B8, "void TSK_Sleep(int Frames)")
del_items(0x80020494)
SetType(0x80020494, "void ReturnToSchedulerIfCurrentTask(struct TASK *T)")
del_items(0x8002051C)
SetType(0x8002051C, "void TSK_Die()")
del_items(0x80020548)
SetType(0x80020548, "void TSK_Kill(struct TASK *T)")
del_items(0x80020598)
SetType(0x80020598, "struct TASK *TSK_GetFirstActive()")
del_items(0x800205A8)
SetType(0x800205A8, "unsigned char TSK_IsStackCorrupted(struct TASK *T)")
del_items(0x80020624)
SetType(0x80020624, "void TSK_JumpAndResetStack(void (*RunFunc)())")
del_items(0x8002066C)
SetType(0x8002066C, "void TSK_RepointProc(struct TASK *T, void (*Func)())")
del_items(0x800206B0)
SetType(0x800206B0, "struct TASK *TSK_GetCurrentTask()")
del_items(0x800206C0)
SetType(0x800206C0, "unsigned char TSK_IsCurrentTask(struct TASK *T)")
del_items(0x800206D8)
SetType(0x800206D8, "struct TASK *TSK_Exist(struct TASK *T, unsigned long Id, unsigned long Mask)")
del_items(0x80020730)
SetType(0x80020730, "void TSK_SetExecFilter(unsigned long Id, unsigned long Mask)")
del_items(0x80020748)
SetType(0x80020748, "void TSK_ClearExecFilter()")
del_items(0x8002076C)
SetType(0x8002076C, "int TSK_KillTasks(struct TASK *CallingT, unsigned long Id, unsigned long Mask)")
del_items(0x8002086C)
SetType(0x8002086C, "void TSK_IterateTasks(unsigned long Id, unsigned long Mask, void (*CallBack)())")
del_items(0x800208E4)
SetType(0x800208E4, "void TSK_MakeTaskInactive(struct TASK *T)")
del_items(0x800208F8)
SetType(0x800208F8, "void TSK_MakeTaskActive(struct TASK *T)")
del_items(0x8002090C)
SetType(0x8002090C, "void TSK_MakeTaskImmortal(struct TASK *T)")
del_items(0x80020920)
SetType(0x80020920, "void TSK_MakeTaskMortal(struct TASK *T)")
del_items(0x80020934)
SetType(0x80020934, "unsigned char TSK_IsTaskActive(struct TASK *T)")
del_items(0x80020948)
SetType(0x80020948, "unsigned char TSK_IsTaskMortal(struct TASK *T)")
del_items(0x8002095C)
SetType(0x8002095C, "void DetachFromList(struct TASK **Head, struct TASK *ThisObj)")
del_items(0x800209A8)
SetType(0x800209A8, "void AddToList(struct TASK **Head, struct TASK *ThisObj)")
del_items(0x800209C8)
SetType(0x800209C8, "void LoTskKill(struct TASK *T)")
del_items(0x80020A38)
SetType(0x80020A38, "void ExecuteTask(struct TASK *T)")
del_items(0x80020A88)
SetType(0x80020A88, "void (*TSK_SetDoTasksPrologue(void (*Func)()))()")
del_items(0x80020AA0)
SetType(0x80020AA0, "void (*TSK_SetDoTasksEpilogue(void (*Func)()))()")
del_items(0x80020AB8)
SetType(0x80020AB8, "void (*TSK_SetTaskPrologue(void (*Pro)()))()")
del_items(0x80020AD0)
SetType(0x80020AD0, "void (*TSK_SetTaskEpilogue(void (*Epi)()))()")
del_items(0x80020AE8)
SetType(0x80020AE8, "void TSK_SetEpiProFilter(unsigned long Id, unsigned long Mask)")
del_items(0x80020B00)
SetType(0x80020B00, "void TSK_ClearEpiProFilter()")
del_items(0x80020B34)
SetType(0x80020B34, "void TSK_SetExtraStackProtection(unsigned char OnOff)")
del_items(0x80020B44)
SetType(0x80020B44, "void (*TSK_SetStackFloodCallback(void (*Func)()))()")
del_items(0x80020B5C)
SetType(0x80020B5C, "int TSK_SetExtraStackSize(int Size)")
del_items(0x80020B84)
SetType(0x80020B84, "void ExtraMarkStack(unsigned long *Stack, int SizeLongs)")
del_items(0x80020BB0)
SetType(0x80020BB0, "int CheckExtraStack(unsigned long *Stack, int LongsToCheck)")
del_items(0x80020BEC)
SetType(0x80020BEC, "void TICK_InitModule()")
del_items(0x80020C0C)
SetType(0x80020C0C, "void TICK_Set(unsigned long Val)")
del_items(0x80020C1C)
SetType(0x80020C1C, "unsigned long TICK_Get()")
del_items(0x80020C2C)
SetType(0x80020C2C, "void TICK_Update()")
del_items(0x80020C4C)
SetType(0x80020C4C, "unsigned long TICK_GetAge(unsigned long OldTick)")
del_items(0x80020C78)
SetType(0x80020C78, "char *TICK_GetDateString()")
del_items(0x80020C88)
SetType(0x80020C88, "char *TICK_GetTimeString()")
del_items(0x80020C98)
SetType(0x80020C98, "unsigned char GU_InitModule()")
del_items(0x80020CC4)
SetType(0x80020CC4, "void GU_SetRndSeed(unsigned long *Tab)")
del_items(0x80020CF4)
SetType(0x80020CF4, "unsigned long GU_GetRnd()")
del_items(0x80020D84)
SetType(0x80020D84, "long GU_GetSRnd()")
del_items(0x80020DA4)
SetType(0x80020DA4, "unsigned long GU_GetRndRange(unsigned int Range)")
del_items(0x80020DE0)
SetType(0x80020DE0, "unsigned int GU_AlignVal(unsigned int w, unsigned int round)")
del_items(0x80020E04)
SetType(0x80020E04, "void main()")
del_items(0x80020E54)
SetType(0x80020E54, "unsigned char DBG_OpenModule()")
del_items(0x80020E5C)
SetType(0x80020E5C, "void DBG_PollHost()")
del_items(0x80020E64)
SetType(0x80020E64, "void DBG_Halt()")
del_items(0x80020E6C)
SetType(0x80020E6C, "void DBG_SendMessage(char *e)")
del_items(0x80020E84)
SetType(0x80020E84, "void DBG_SetMessageHandler(void (*Func)())")
del_items(0x80020E94)
SetType(0x80020E94, "void DBG_Error(char *Text, char *File, int Line)")
del_items(0x80020EC8)
SetType(0x80020EC8, "void DBG_SetErrorFunc(void (*EFunc)())")
del_items(0x80020ED8)
SetType(0x80020ED8, "void SendPsyqString(char *e)")
del_items(0x80020EE0)
SetType(0x80020EE0, "void DBG_SetPollRoutine(void (*Func)())")
del_items(0x80020EF0)
SetType(0x80020EF0, "unsigned long GTIMSYS_GetTimer()")
del_items(0x80020F14)
SetType(0x80020F14, "void GTIMSYS_ResetTimer()")
del_items(0x80020F38)
SetType(0x80020F38, "unsigned long GTIMSYS_InitTimer()")
del_items(0x8002116C)
SetType(0x8002116C, "struct MEM_INFO *GSYS_GetWorkMemInfo()")
del_items(0x8002117C)
SetType(0x8002117C, "void GSYS_SetStackAndJump(void *Stack, void (*Func)(), void *Param)")
del_items(0x800211B8)
SetType(0x800211B8, "void GSYS_MarkStack(void *Stack, unsigned long StackSize)")
del_items(0x800211C8)
SetType(0x800211C8, "unsigned char GSYS_IsStackCorrupted(void *Stack, unsigned long StackSize)")
del_items(0x800211E0)
SetType(0x800211E0, "unsigned char GSYS_InitMachine()")
del_items(0x80021234)
SetType(0x80021234, "unsigned char GSYS_CheckPtr(void *Ptr)")
del_items(0x80021268)
SetType(0x80021268, "unsigned char GSYS_IsStackOutOfBounds(void *Stack, unsigned long StackSize)")
del_items(0x800212D4)
SetType(0x800212D4, "void GAL_SetErrorChecking(unsigned char OnOff)")
del_items(0x800212E4)
SetType(0x800212E4, "long GAL_SplitBlock(long CurBlock, unsigned long Size)")
del_items(0x80021404)
SetType(0x80021404, "void GAL_InitModule()")
del_items(0x800214BC)
SetType(0x800214BC, "unsigned char GAL_AddMemType(struct MEM_INIT_INFO *M)")
del_items(0x800215DC)
SetType(0x800215DC, "long GAL_Alloc(unsigned long Size, unsigned long Type, char *Name)")
del_items(0x80021774)
SetType(0x80021774, "void *GAL_Lock(long Handle)")
del_items(0x800217DC)
SetType(0x800217DC, "unsigned char GAL_Unlock(long Handle)")
del_items(0x80021860)
SetType(0x80021860, "unsigned char GAL_Free(long Handle)")
del_items(0x80021908)
SetType(0x80021908, "unsigned long GAL_GetFreeMem(unsigned long Type)")
del_items(0x8002197C)
SetType(0x8002197C, "unsigned long GAL_GetUsedMem(unsigned long Type)")
del_items(0x800219F0)
SetType(0x800219F0, "unsigned long GAL_LargestFreeBlock(unsigned long Type)")
del_items(0x80021A6C)
SetType(0x80021A6C, "void AttachHdrToList(struct MEM_HDR **Head, struct MEM_HDR *Block)")
del_items(0x80021A8C)
SetType(0x80021A8C, "void DetachHdrFromList(struct MEM_HDR **Head, struct MEM_HDR *Block)")
del_items(0x80021AD8)
SetType(0x80021AD8, "unsigned char IsActiveValidHandle(long Handle)")
del_items(0x80021B10)
SetType(0x80021B10, "void *AlignPtr(void *P, unsigned long Align)")
del_items(0x80021B40)
SetType(0x80021B40, "unsigned long AlignSize(unsigned long Size, unsigned long Align)")
del_items(0x80021B70)
SetType(0x80021B70, "struct MEM_HDR *FindClosestSizedBlock(struct MEM_HDR *Head, unsigned long Size)")
del_items(0x80021BC8)
SetType(0x80021BC8, "struct MEM_HDR *FindHighestMemBlock(struct MEM_HDR *Head, unsigned long Size)")
del_items(0x80021C30)
SetType(0x80021C30, "struct MEM_HDR *FindLowestMemBlock(struct MEM_HDR *Head, unsigned long Size)")
del_items(0x80021C98)
SetType(0x80021C98, "struct MEM_INIT_INFO *GetMemInitInfoBlockFromType(unsigned long Type)")
del_items(0x80021CD4)
SetType(0x80021CD4, "void MergeToEmptyList(struct MEM_INIT_INFO *MI, struct MEM_HDR *M)")
del_items(0x80021DA8)
SetType(0x80021DA8, "long GAL_AllocAt(unsigned long Size, void *Addr, unsigned long Type, char *Name)")
del_items(0x80021E84)
SetType(0x80021E84, "long LoAlloc(struct MEM_INIT_INFO *M, struct MEM_HDR *Block, void *Addr, unsigned long Size, char *Name)")
del_items(0x8002201C)
SetType(0x8002201C, "struct MEM_HDR *FindBlockInTheseBounds(struct MEM_HDR *Head, void *Addr, unsigned long Size)")
del_items(0x80022088)
SetType(0x80022088, "struct MEM_HDR *GetFreeMemHdrBlock()")
del_items(0x80022110)
SetType(0x80022110, "void ReleaseMemHdrBlock(struct MEM_HDR *Index)")
del_items(0x80022150)
SetType(0x80022150, "void GAL_IterateEmptyMem(unsigned long MemType, void (*Func)())")
del_items(0x800221D4)
SetType(0x800221D4, "void GAL_IterateUsedMem(unsigned long MemType, void (*Func)())")
del_items(0x80022270)
SetType(0x80022270, "unsigned char GAL_SetMemName(long Hnd, char *Text)")
del_items(0x800222E0)
SetType(0x800222E0, "unsigned long GAL_TotalMem(unsigned long Type)")
del_items(0x80022334)
SetType(0x80022334, "void *GAL_MemBase(unsigned long Type)")
del_items(0x80022388)
SetType(0x80022388, "unsigned char GAL_DefragMem(unsigned long type)")
del_items(0x8002240C)
SetType(0x8002240C, "unsigned char GSetError(enum GAL_ERROR_CODE Err)")
del_items(0x80022468)
SetType(0x80022468, "unsigned char GAL_CheckMem(unsigned long Type)")
del_items(0x80022564)
SetType(0x80022564, "unsigned char CheckCollisions(struct MEM_INIT_INFO *M, struct MEM_HDR *MemHdr)")
del_items(0x80022610)
SetType(0x80022610, "unsigned char AreBlocksColliding(struct MEM_HDR *Hdr1, struct MEM_HDR *Hdr2)")
del_items(0x80022668)
SetType(0x80022668, "char *GAL_GetErrorText(enum GAL_ERROR_CODE Err)")
del_items(0x80022698)
SetType(0x80022698, "enum GAL_ERROR_CODE GAL_GetLastErrorCode()")
del_items(0x800226A8)
SetType(0x800226A8, "char *GAL_GetLastErrorText()")
del_items(0x800226D0)
SetType(0x800226D0, "int GAL_HowManyEmptyRegions(unsigned long Type)")
del_items(0x80022738)
SetType(0x80022738, "int GAL_HowManyUsedRegions(unsigned long Type)")
del_items(0x800227A0)
SetType(0x800227A0, "void GAL_SetTimeStamp(int Time)")
del_items(0x800227B0)
SetType(0x800227B0, "void GAL_IncTimeStamp()")
del_items(0x800227D0)
SetType(0x800227D0, "int GAL_GetTimeStamp()")
del_items(0x800227E0)
SetType(0x800227E0, "long GAL_AlignSizeToType(unsigned long Size, unsigned long MemType)")
del_items(0x80022830)
SetType(0x80022830, "long GAL_AllocMultiStruct(struct GAL_STRUCT *G, unsigned long Type, char *Name)")
del_items(0x80022880)
SetType(0x80022880, "unsigned int GAL_ProcessMultiStruct(struct GAL_STRUCT *G, unsigned long Type)")
del_items(0x8002292C)
SetType(0x8002292C, "long GAL_GetSize(long hnd)")
del_items(0x80022988)
SetType(0x80022988, "unsigned char GazDefragMem(unsigned long MemType)")
del_items(0x80022AF0)
SetType(0x80022AF0, "void PutBlocksInRegionIntoList(struct MEM_REG *Reg, struct MEM_HDR **ToList, struct MEM_HDR **FromList)")
del_items(0x80022B94)
SetType(0x80022B94, "unsigned char CollideRegions(struct MEM_REG *Reg1, struct MEM_REG *Reg2)")
del_items(0x80022BC8)
SetType(0x80022BC8, "void DeleteEmptyBlocks(struct MEM_INIT_INFO *M)")
del_items(0x80022C34)
SetType(0x80022C34, "unsigned char GetRegion(struct MEM_REG *Reg, struct MEM_HDR *LockedBlocks, struct MEM_INIT_INFO *M)")
del_items(0x80022D2C)
SetType(0x80022D2C, "struct MEM_HDR *FindNextBlock(void *Addr, struct MEM_HDR *Blocks)")
del_items(0x80022D68)
SetType(0x80022D68, "unsigned long ShuffleBlocks(struct MEM_HDR *Blocks, struct MEM_REG *Reg, struct MEM_INIT_INFO *M)")
del_items(0x80022DF8)
SetType(0x80022DF8, "void PutAllLockedBlocksOntoList(struct MEM_HDR **ToHead, struct MEM_HDR **FromHead)")
del_items(0x80022E74)
SetType(0x80022E74, "void SortMemHdrListByAddr(struct MEM_HDR **Head)")
del_items(0x80022F28)
SetType(0x80022F28, "void GraftMemHdrList(struct MEM_HDR **ToList, struct MEM_HDR **FromList)")
del_items(0x80022F84)
SetType(0x80022F84, "void GAL_MemDump(unsigned long Type)")
del_items(0x80022FF8)
SetType(0x80022FF8, "void GAL_SetVerbosity(enum GAL_VERB_LEV G)")
del_items(0x80023008)
SetType(0x80023008, "int CountFreeBlocks()")
del_items(0x80023034)
SetType(0x80023034, "void SetBlockName(struct MEM_HDR *MemHdr, char *NewName)")
del_items(0x8002307C)
SetType(0x8002307C, "int GAL_GetNumFreeHeaders()")
del_items(0x8002308C)
SetType(0x8002308C, "unsigned long GAL_GetLastTypeAlloced()")
del_items(0x8002309C)
SetType(0x8002309C, "void (*GAL_SetAllocFilter(void (*NewFilter)()))()")
del_items(0x800230B4)
SetType(0x800230B4, "unsigned char GAL_SortUsedRegionsBySize(unsigned long MemType)")
del_items(0x80023108)
SetType(0x80023108, "unsigned char SortSize(struct MEM_HDR *B1, struct MEM_HDR *B2)")
del_items(0x80023118)
SetType(0x80023118, "unsigned char GAL_SortUsedRegionsByAddress(unsigned long MemType)")
del_items(0x8002316C)
SetType(0x8002316C, "unsigned char SortAddr(struct MEM_HDR *B1, struct MEM_HDR *B2)")
del_items(0x8002317C)
SetType(0x8002317C, "void SortMemHdrList(struct MEM_HDR **Head, unsigned char (*CompFunc)())")
del_items(0x80025538)
SetType(0x80025538, "int vsprintf(char *str, char *fmt, char *ap)")
del_items(0x80025584)
SetType(0x80025584, "int _doprnt(char *fmt0, char *argp, struct FILE *fp)")
| del_items(2148019784)
set_type(2148019784, 'int GetTpY__FUs(unsigned short tpage)')
del_items(2148019812)
set_type(2148019812, 'int GetTpX__FUs(unsigned short tpage)')
del_items(2148019824)
set_type(2148019824, 'void Remove96__Fv()')
del_items(2148019880)
set_type(2148019880, 'void AppMain()')
del_items(2148020076)
set_type(2148020076, 'void MAIN_RestartGameTask__Fv()')
del_items(2148020120)
set_type(2148020120, 'void GameTask__FP4TASK(struct TASK *T)')
del_items(2148020388)
set_type(2148020388, 'void MAIN_MainLoop__Fv()')
del_items(2148020472)
set_type(2148020472, 'void CheckMaxArgs__Fv()')
del_items(2148020524)
set_type(2148020524, 'unsigned char GPUQ_InitModule__Fv()')
del_items(2148020536)
set_type(2148020536, 'void GPUQ_FlushQ__Fv()')
del_items(2148020908)
set_type(2148020908, 'void GPUQ_LoadImage__FP4RECTli(struct RECT *Rect, long ImgHandle, int Offset)')
del_items(2148021088)
set_type(2148021088, 'void GPUQ_DiscardHandle__Fl(long hnd)')
del_items(2148021248)
set_type(2148021248, 'void GPUQ_LoadClutAddr__FiiiPv(int X, int Y, int Cols, void *Addr)')
del_items(2148021404)
set_type(2148021404, 'void GPUQ_MoveImage__FP4RECTii(struct RECT *R, int x, int y)')
del_items(2148021564)
set_type(2148021564, 'unsigned char PRIM_Open__FiiiP10SCREEN_ENVUl(int Prims, int OtSize, int Depth, struct SCREEN_ENV *Scr, unsigned long MemType)')
del_items(2148021848)
set_type(2148021848, 'unsigned char InitPrimBuffer__FP11PRIM_BUFFERii(struct PRIM_BUFFER *Pr, int Prims, int OtSize)')
del_items(2148022068)
set_type(2148022068, 'void PRIM_Clip__FP4RECTi(struct RECT *R, int Depth)')
del_items(2148022364)
set_type(2148022364, 'unsigned char PRIM_GetCurrentScreen__Fv()')
del_items(2148022376)
set_type(2148022376, 'void PRIM_FullScreen__Fi(int Depth)')
del_items(2148022436)
set_type(2148022436, 'void PRIM_Flush__Fv()')
del_items(2148022996)
set_type(2148022996, 'unsigned long *PRIM_GetCurrentOtList__Fv()')
del_items(2148023008)
set_type(2148023008, 'void ClearPbOnDrawSync(struct PRIM_BUFFER *Pb)')
del_items(2148023068)
set_type(2148023068, 'unsigned char ClearedYet__Fv()')
del_items(2148023080)
set_type(2148023080, 'void PrimDrawSycnCallBack()')
del_items(2148023112)
set_type(2148023112, 'void SendDispEnv__Fv()')
del_items(2148023148)
set_type(2148023148, 'struct POLY_F4 *PRIM_GetNextPolyF4__Fv()')
del_items(2148023172)
set_type(2148023172, 'struct POLY_FT4 *PRIM_GetNextPolyFt4__Fv()')
del_items(2148023196)
set_type(2148023196, 'struct POLY_GT4 *PRIM_GetNextPolyGt4__Fv()')
del_items(2148023220)
set_type(2148023220, 'struct POLY_G4 *PRIM_GetNextPolyG4__Fv()')
del_items(2148023244)
set_type(2148023244, 'struct POLY_F3 *PRIM_GetNextPolyF3__Fv()')
del_items(2148023268)
set_type(2148023268, 'struct DR_MODE *PRIM_GetNextDrArea__Fv()')
del_items(2148023292)
set_type(2148023292, 'bool ClipRect__FRC4RECTR4RECT(struct RECT *ClipRect, struct RECT *RectToClip)')
del_items(2148023568)
set_type(2148023568, 'bool IsColiding__FRC4RECTT0(struct RECT *ClipRect, struct RECT *NewRect)')
del_items(2148023672)
set_type(2148023672, 'void VID_AfterDisplay__Fv()')
del_items(2148023712)
set_type(2148023712, 'void VID_ScrOn__Fv()')
del_items(2148023772)
set_type(2148023772, 'void VID_DoThisNextSync__FPFv_v(void (*Func)())')
del_items(2148023860)
set_type(2148023860, 'unsigned char VID_NextSyncRoutHasExecuted__Fv()')
del_items(2148023872)
set_type(2148023872, 'unsigned long VID_GetTick__Fv()')
del_items(2148023884)
set_type(2148023884, 'void VID_DispEnvSend()')
del_items(2148023972)
set_type(2148023972, 'void VID_SetXYOff__Fii(int x, int y)')
del_items(2148023988)
set_type(2148023988, 'int VID_GetXOff__Fv()')
del_items(2148024000)
set_type(2148024000, 'int VID_GetYOff__Fv()')
del_items(2148024012)
set_type(2148024012, 'bool VID_IsDbuffer__Fv()')
del_items(2148024024)
set_type(2148024024, 'void VID_SetDBuffer__Fb(bool DBuf)')
del_items(2148024684)
set_type(2148024684, 'void MyFilter__FUlUlPCc(unsigned long MemType, unsigned long Size, char *Name)')
del_items(2148024692)
set_type(2148024692, 'void SlowMemMove__FPvT0Ul(void *Dest, void *Source, unsigned long size)')
del_items(2148024724)
set_type(2148024724, 'int GetTpY__FUs_addr_80084194(unsigned short tpage)')
del_items(2148024752)
set_type(2148024752, 'int GetTpX__FUs_addr_800841B0(unsigned short tpage)')
del_items(2148024764)
set_type(2148024764, 'struct FileIO *SYSI_GetFs__Fv()')
del_items(2148024776)
set_type(2148024776, 'struct FileIO *SYSI_GetOverlayFs__Fv()')
del_items(2148024788)
set_type(2148024788, 'void SortOutFileSystem__Fv()')
del_items(2148025092)
set_type(2148025092, 'void MemCb__FlPvUlPCcii(long hnd, void *Addr, unsigned long Size, char *Name, int Users, int TimeStamp)')
del_items(2148025128)
set_type(2148025128, 'void Spanker__Fv()')
del_items(2148025212)
set_type(2148025212, 'void GaryLiddon__Fv()')
del_items(2148025220)
set_type(2148025220, 'void ReadPad__Fi(int NoDeb)')
del_items(2148025612)
set_type(2148025612, 'void DummyPoll__Fv()')
del_items(2148025620)
set_type(2148025620, 'void DaveOwens__Fv()')
del_items(2148025628)
set_type(2148025628, 'void DaveCentreStuff__Fv()')
del_items(2148025956)
set_type(2148025956, 'void PlaceStoreGold2__Fil(int myplr, long v)')
del_items(2148026508)
set_type(2148026508, 'void GivePlayerDosh__Fil(int PlayerNo, long cost)')
del_items(2148026944)
set_type(2148026944, 'int CalcItemVal__FP10ItemStruct(struct ItemStruct *Item)')
del_items(2148027036)
set_type(2148027036, 'void RemoveDupInvItem__Fii(int pnum, int iv)')
del_items(2148027532)
set_type(2148027532, 'long DetectDup__FP10ItemStructi(struct ItemStruct *Item, int PlayerNo)')
del_items(2148028168)
set_type(2148028168, 'void WinterSales__Fi(int PlayerNo)')
del_items(2148028740)
set_type(2148028740, 'void KeefDaFeef__Fi(int PlayerNo)')
del_items(2148029840)
set_type(2148029840, 'unsigned short GetCur__C4CPad(struct CPad *this)')
del_items(2148029880)
set_type(2148029880, 'unsigned char CheckActive__4CPad(struct CPad *this)')
del_items(2148029892)
set_type(2148029892, 'int GetTpY__FUs_addr_800855C4(unsigned short tpage)')
del_items(2148029920)
set_type(2148029920, 'int GetTpX__FUs_addr_800855E0(unsigned short tpage)')
del_items(2148029932)
set_type(2148029932, 'void TimSwann__Fv()')
del_items(2148029940)
set_type(2148029940, 'struct FileIO *__6FileIOUl(struct FileIO *this, unsigned long OurMemId)')
del_items(2148030020)
set_type(2148030020, 'void ___6FileIO(struct FileIO *this, int __in_chrg)')
del_items(2148030104)
set_type(2148030104, 'long Read__6FileIOPCcUl(struct FileIO *this, char *Name, unsigned long RamId)')
del_items(2148030472)
set_type(2148030472, 'int FileLen__6FileIOPCc(struct FileIO *this, char *Name)')
del_items(2148030572)
set_type(2148030572, 'void FileNotFound__6FileIOPCc(struct FileIO *this, char *Name)')
del_items(2148030604)
set_type(2148030604, 'bool StreamFile__6FileIOPCciPFPUciib_bii(struct FileIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)')
del_items(2148030828)
set_type(2148030828, 'bool ReadAtAddr__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Dest, int Len)')
del_items(2148031024)
set_type(2148031024, 'void DumpOldPath__6FileIO(struct FileIO *this)')
del_items(2148031124)
set_type(2148031124, 'void SetSearchPath__6FileIOPCc(struct FileIO *this, char *Path)')
del_items(2148031344)
set_type(2148031344, 'bool FindFile__6FileIOPCcPc(struct FileIO *this, char *Name, char *Buffa)')
del_items(2148031620)
set_type(2148031620, 'char *CopyPathItem__6FileIOPcPCc(struct FileIO *this, char *Dst, char *Src)')
del_items(2148031788)
set_type(2148031788, 'void LockSearchPath__6FileIO(struct FileIO *this)')
del_items(2148031876)
set_type(2148031876, 'void UnlockSearchPath__6FileIO(struct FileIO *this)')
del_items(2148031964)
set_type(2148031964, 'bool SearchPathExists__6FileIO(struct FileIO *this)')
del_items(2148031984)
set_type(2148031984, 'bool Save__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Addr, int Len)')
del_items(2148032044)
set_type(2148032044, 'struct PCIO *__4PCIOUl(struct PCIO *this, unsigned long OurMemId)')
del_items(2148032148)
set_type(2148032148, 'void ___4PCIO(struct PCIO *this, int __in_chrg)')
del_items(2148032236)
set_type(2148032236, 'bool FileExists__4PCIOPCc(struct PCIO *this, char *Name)')
del_items(2148032304)
set_type(2148032304, 'bool LoReadFileAtAddr__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Dest, int Len)')
del_items(2148032500)
set_type(2148032500, 'int GetFileLength__4PCIOPCc(struct PCIO *this, char *Name)')
del_items(2148032684)
set_type(2148032684, 'bool LoSave__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Addr, int Len)')
del_items(2148032896)
set_type(2148032896, 'bool LoStreamFile__4PCIOPCciPFPUciib_bii(struct PCIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)')
del_items(2148033424)
set_type(2148033424, 'struct SysObj *__6SysObj(struct SysObj *this)')
del_items(2148033448)
set_type(2148033448, 'void *__nw__6SysObji(int Amount)')
del_items(2148033492)
set_type(2148033492, 'void *__nw__6SysObjiUl(int Amount, unsigned long RamID)')
del_items(2148033616)
set_type(2148033616, 'void __dl__6SysObjPv(void *ptr)')
del_items(2148033724)
set_type(2148033724, 'struct DatIO *__5DatIOUl(struct DatIO *this, unsigned long OurMemId)')
del_items(2148033784)
set_type(2148033784, 'void ___5DatIO(struct DatIO *this, int __in_chrg)')
del_items(2148033872)
set_type(2148033872, 'bool FileExists__5DatIOPCc(struct DatIO *this, char *Name)')
del_items(2148033936)
set_type(2148033936, 'bool LoReadFileAtAddr__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Dest, int Len)')
del_items(2148034128)
set_type(2148034128, 'int GetFileLength__5DatIOPCc(struct DatIO *this, char *Name)')
del_items(2148034308)
set_type(2148034308, 'bool LoSave__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Addr, int Len)')
del_items(2148034476)
set_type(2148034476, 'bool LoStreamFile__5DatIOPCciPFPUciib_bii(struct DatIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)')
del_items(2148035000)
set_type(2148035000, 'struct CdIO *__4CdIOUl(struct CdIO *this, unsigned long OurMemId)')
del_items(2148035068)
set_type(2148035068, 'void ___4CdIO(struct CdIO *this, int __in_chrg)')
del_items(2148035156)
set_type(2148035156, 'bool FileExists__4CdIOPCc(struct CdIO *this, char *Name)')
del_items(2148035192)
set_type(2148035192, 'bool LoReadFileAtAddr__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Dest, int Len)')
del_items(2148035348)
set_type(2148035348, 'int GetFileLength__4CdIOPCc(struct CdIO *this, char *Name)')
del_items(2148035384)
set_type(2148035384, 'bool LoSave__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Addr, int Len)')
del_items(2148035596)
set_type(2148035596, 'bool CD_GetCdlFILE__FPCcP7CdlFILE(char *Name, struct CdlFILE *RetFile)')
del_items(2148035676)
set_type(2148035676, 'bool LoStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)')
del_items(2148036228)
set_type(2148036228, 'bool LoAsyncStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)')
del_items(2148036564)
set_type(2148036564, 'void BL_InitEAC__Fv()')
del_items(2148036812)
set_type(2148036812, 'long BL_ReadFile__FPcUl(char *Name, unsigned long RamId)')
del_items(2148037092)
set_type(2148037092, 'long BL_AsyncReadFile__FPcUl(char *Name, unsigned long RamId)')
del_items(2148037444)
set_type(2148037444, 'void BL_LoadDirectory__Fv()')
del_items(2148037740)
set_type(2148037740, 'void BL_LoadStreamDir__Fv()')
del_items(2148038396)
set_type(2148038396, 'struct STRHDR *BL_MakeFilePosTab__FPUcUl(unsigned char *BL_DirPtr, unsigned long NoStreamFiles)')
del_items(2148038628)
set_type(2148038628, 'struct STRHDR *BL_FindStreamFile__FPcc(char *Name, char LumpID)')
del_items(2148039024)
set_type(2148039024, 'bool BL_FileExists__FPcc(char *Name, char LumpID)')
del_items(2148039084)
set_type(2148039084, 'int BL_FileLength__FPcc(char *Name, char LumpID)')
del_items(2148039212)
set_type(2148039212, 'bool BL_LoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)')
del_items(2148039572)
set_type(2148039572, 'bool BL_AsyncLoadDone__Fv()')
del_items(2148039584)
set_type(2148039584, 'void BL_WaitForAsyncFinish__Fv()')
del_items(2148039652)
set_type(2148039652, 'void BL_AsyncLoadCallBack__Fi(int ah)')
del_items(2148039752)
set_type(2148039752, 'long BL_LoadFileAsync__FPcc(char *Name, char LumpID)')
del_items(2148040188)
set_type(2148040188, 'bool BL_AsyncLoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)')
del_items(2148040472)
set_type(2148040472, 'struct STRHDR *BL_OpenStreamFile__FPcc(char *Name, char LumpID)')
del_items(2148040516)
set_type(2148040516, 'bool BL_CloseStreamFile__FP6STRHDR(struct STRHDR *StreamHDR)')
del_items(2148040524)
set_type(2148040524, 'int LZNP_Decode__FPUcT0(unsigned char *in, unsigned char *out)')
del_items(2148040736)
set_type(2148040736, 'void *Tmalloc__Fi(int MemSize)')
del_items(2148040980)
set_type(2148040980, 'void Tfree__FPv(void *Addr)')
del_items(2148041156)
set_type(2148041156, 'void InitTmalloc__Fv()')
del_items(2148041196)
set_type(2148041196, 'void strupr__FPc(char *Buffa)')
del_items(2148041280)
set_type(2148041280, 'void PauseTask__FP4TASK(struct TASK *T)')
del_items(2148041360)
set_type(2148041360, 'int GetPausePad__Fv()')
del_items(2148041656)
set_type(2148041656, 'bool TryPadForPause__Fi(int PadNum)')
del_items(2148041700)
set_type(2148041700, 'void DoPause__14CPauseMessagesi(struct CPauseMessages *this, int nPadNum)')
del_items(2148042228)
set_type(2148042228, 'bool DoPausedMessage__14CPauseMessages(struct CPauseMessages *this)')
del_items(2148042540)
set_type(2148042540, 'int DoQuitMessage__14CPauseMessages(struct CPauseMessages *this)')
del_items(2148042828)
set_type(2148042828, 'bool AreYouSureMessage__14CPauseMessages(struct CPauseMessages *this)')
del_items(2148043116)
set_type(2148043116, 'bool PA_SetPauseOk__Fb(bool NewPause)')
del_items(2148043132)
set_type(2148043132, 'bool PA_GetPauseOk__Fv()')
del_items(2148043144)
set_type(2148043144, 'void MY_PausePrint__17CTempPauseMessageiiiP4RECT(struct CTempPauseMessage *this, int s, int Txt, int Menu, struct RECT *PRect)')
del_items(2148043720)
set_type(2148043720, 'void InitPrintQuitMessage__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148043728)
set_type(2148043728, 'void PrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)')
del_items(2148044104)
set_type(2148044104, 'void LeavePrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)')
del_items(2148044112)
set_type(2148044112, 'void InitPrintAreYouSure__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148044120)
set_type(2148044120, 'void PrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)')
del_items(2148044496)
set_type(2148044496, 'void LeavePrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)')
del_items(2148044504)
set_type(2148044504, 'void InitPrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148044512)
set_type(2148044512, 'void PrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148044848)
set_type(2148044848, 'void LeavePrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148044856)
set_type(2148044856, 'void ___17CTempPauseMessage(struct CTempPauseMessage *this, int __in_chrg)')
del_items(2148044896)
set_type(2148044896, 'void _GLOBAL__D_DoPause__14CPauseMessagesi()')
del_items(2148044936)
set_type(2148044936, 'void _GLOBAL__I_DoPause__14CPauseMessagesi()')
del_items(2148044976)
set_type(2148044976, 'struct CTempPauseMessage *__17CTempPauseMessage(struct CTempPauseMessage *this)')
del_items(2148045044)
set_type(2148045044, 'void ___14CPauseMessages(struct CPauseMessages *this, int __in_chrg)')
del_items(2148045096)
set_type(2148045096, 'struct CPauseMessages *__14CPauseMessages(struct CPauseMessages *this)')
del_items(2148045116)
set_type(2148045116, 'void SetRGB__6DialogUcUcUc(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148045148)
set_type(2148045148, 'void SetBack__6Dialogi(struct Dialog *this, int Type)')
del_items(2148045156)
set_type(2148045156, 'void SetBorder__6Dialogi(struct Dialog *this, int Type)')
del_items(2148045164)
set_type(2148045164, 'void ___6Dialog(struct Dialog *this, int __in_chrg)')
del_items(2148045204)
set_type(2148045204, 'struct Dialog *__6Dialog(struct Dialog *this)')
del_items(2148045332)
set_type(2148045332, 'int GetOverlayOtBase__7CBlocks()')
del_items(2148045340)
set_type(2148045340, 'int GetMaxOtPos__7CBlocks()')
del_items(2148045348)
set_type(2148045348, 'unsigned short GetDown__C4CPad(struct CPad *this)')
del_items(2148045388)
set_type(2148045388, 'unsigned char CheckActive__4CPad_addr_8008924C(struct CPad *this)')
del_items(2148045400)
set_type(2148045400, 'unsigned long ReadPadStream__Fv()')
del_items(2148045680)
set_type(2148045680, 'void PAD_Handler__Fv()')
del_items(2148046188)
set_type(2148046188, 'struct CPad *PAD_GetPad__FiUc(int PadNum, unsigned char both)')
del_items(2148046364)
set_type(2148046364, 'void NewVal__4CPadUs(struct CPad *this, unsigned short New)')
del_items(2148046480)
set_type(2148046480, 'void BothNewVal__4CPadUsUs(struct CPad *this, unsigned short New, unsigned short New2)')
del_items(2148046628)
set_type(2148046628, 'unsigned short Trans__4CPadUs(struct CPad *this, unsigned short PadVal)')
del_items(2148046920)
set_type(2148046920, 'void Flush__4CPad(struct CPad *this)')
del_items(2148047004)
set_type(2148047004, 'void InitClickBits__FPUs(unsigned short *CountArray)')
del_items(2148047036)
set_type(2148047036, 'unsigned short MakeClickBits__FiiiPUs(int Switch, int Closed, int Speed, unsigned short *CountArray)')
del_items(2148047176)
set_type(2148047176, 'void _GLOBAL__I_Pad0()')
del_items(2148047232)
set_type(2148047232, 'void SetPadType__4CPadUc(struct CPad *this, unsigned char val)')
del_items(2148047240)
set_type(2148047240, 'unsigned char CheckActive__4CPad_addr_80089988(struct CPad *this)')
del_items(2148047252)
set_type(2148047252, 'void SetActive__4CPadUc(struct CPad *this, unsigned char a)')
del_items(2148047260)
set_type(2148047260, 'void SetBothFlag__4CPadUc(struct CPad *this, unsigned char fl)')
del_items(2148047268)
set_type(2148047268, 'struct CPad *__4CPadi(struct CPad *this, int PhysStick)')
del_items(2148047320)
set_type(2148047320, 'void Set__7FontTab(struct FontTab *this)')
del_items(2148047476)
set_type(2148047476, 'void InitPrinty__Fv()')
del_items(2148047652)
set_type(2148047652, 'void SetTextDat__5CFontP7TextDat(struct CFont *this, struct TextDat *NewDat)')
del_items(2148047660)
set_type(2148047660, 'int KanjiPrintChar__5CFontUsUsUsUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, unsigned short kan, int R, int G, int B)')
del_items(2148047972)
set_type(2148047972, 'int PrintChar__5CFontUsUsUcUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, unsigned char C, int R, int G, int B)')
del_items(2148048392)
set_type(2148048392, 'int Print__5CFontiiPc8TXT_JUSTP4RECTUcUcUc(struct CFont *this, int X, int Y, char *Str, enum TXT_JUST Justify, struct RECT *TextWindow, int R, int G, int B)')
del_items(2148049984)
set_type(2148049984, 'int GetWrap__5CFontPcP4RECT(struct CFont *this, char *Str, struct RECT *TextWindow)')
del_items(2148050608)
set_type(2148050608, 'int GetWrapWidth__5CFontPcP4RECT(struct CFont *this, char *Str, struct RECT *TextWindow)')
del_items(2148050972)
set_type(2148050972, 'int GetStrWidth__5CFontPc(struct CFont *this, char *Str)')
del_items(2148051096)
set_type(2148051096, 'void SetChar__5CFontiUs(struct CFont *this, int ch, unsigned short Frm)')
del_items(2148051224)
set_type(2148051224, 'int SetOTpos__5CFonti(struct CFont *this, int OT)')
del_items(2148051236)
set_type(2148051236, 'int GetCharWidth__5CFontUc(struct CFont *this, unsigned char ch)')
del_items(2148051412)
set_type(2148051412, 'void _GLOBAL__I_WHITER()')
del_items(2148051504)
set_type(2148051504, 'int GetOverlayOtBase__7CBlocks_addr_8008AA30()')
del_items(2148051512)
set_type(2148051512, 'void ClearFont__5CFont(struct CFont *this)')
del_items(2148051548)
set_type(2148051548, 'bool IsDefined__5CFontUc(struct CFont *this, unsigned char C)')
del_items(2148051580)
set_type(2148051580, 'int GetCharFrameNum__5CFontUc(struct CFont *this, unsigned char ch)')
del_items(2148051604)
set_type(2148051604, 'void Init__5CFont(struct CFont *this)')
del_items(2148051656)
set_type(2148051656, 'struct FRAME_HDR *GetFr__7TextDati(struct TextDat *this, int FrNum)')
del_items(2148051684)
set_type(2148051684, 'unsigned char TrimCol__Fs(short col)')
del_items(2148051740)
set_type(2148051740, 'struct POLY_GT4 *DialogPrint__Fiiiiiiiiii(int Frm, int X, int Y, int SW, int SH, int UW, int UH, int UOfs, int VOfs, int Trans)')
del_items(2148054172)
set_type(2148054172, 'struct POLY_G4 *GetDropShadowG4__FUcUcUcUcUcUcUcUcUcUcUcUc(unsigned char r0, unsigned char g0, unsigned char b0, unsigned char r1, int g1, int b1, int r2, int g2, int b2, int r3, int g3, int b3)')
del_items(2148054484)
set_type(2148054484, 'void DropShadows__Fiiii(int x, int y, int w, int h)')
del_items(2148055160)
set_type(2148055160, 'void InitDialog__Fv()')
del_items(2148055472)
set_type(2148055472, 'void GetSizes__6Dialog(struct Dialog *this)')
del_items(2148056116)
set_type(2148056116, 'void Back__6Dialogiiii(struct Dialog *this, int DX, int DY, int DW, int DH)')
del_items(2148060492)
set_type(2148060492, 'void Line__6Dialogiii(struct Dialog *this, int DX, int DY, int DW)')
del_items(2148061052)
set_type(2148061052, 'int SetOTpos__6Dialogi(struct Dialog *this, int OT)')
del_items(2148061072)
set_type(2148061072, 'struct PAL *GetPal__7TextDati(struct TextDat *this, int PalNum)')
del_items(2148061100)
set_type(2148061100, 'struct FRAME_HDR *GetFr__7TextDati_addr_8008CFAC(struct TextDat *this, int FrNum)')
del_items(2148061128)
set_type(2148061128, 'void ATT_DoAttract__Fv()')
del_items(2148061328)
set_type(2148061328, 'void CustomPlayerInit__FR12PlayerStruct(struct PlayerStruct *P)')
del_items(2148061336)
set_type(2148061336, 'void CreatePlayersFromFeData__FR9FE_CREATE(struct FE_CREATE *CStruct)')
del_items(2148061552)
set_type(2148061552, 'void UpdateSel__FPUsUsPUc(unsigned short *Col, unsigned short Add, unsigned char *Count)')
del_items(2148061616)
set_type(2148061616, 'void CycleSelCols__Fv()')
del_items(2148062056)
set_type(2148062056, 'int FindTownCreature__7CBlocksi(struct CBlocks *this, int GameEqu)')
del_items(2148062172)
set_type(2148062172, 'int FindCreature__7CBlocksi(struct CBlocks *this, int MgNum)')
del_items(2148062288)
set_type(2148062288, 'struct CBlocks *__7CBlocksiiiii(struct CBlocks *this, int BgId, int ObjId, int ItemId, int Level, int List)')
del_items(2148062644)
set_type(2148062644, 'void SetTownersGraphics__7CBlocks(struct CBlocks *this)')
del_items(2148062700)
set_type(2148062700, 'void SetMonsterGraphics__7CBlocksii(struct CBlocks *this, int Level, int List)')
del_items(2148062900)
set_type(2148062900, 'void ___7CBlocks(struct CBlocks *this, int __in_chrg)')
del_items(2148063036)
set_type(2148063036, 'void DumpGt4s__7CBlocks(struct CBlocks *this)')
del_items(2148063140)
set_type(2148063140, 'void DumpRects__7CBlocks(struct CBlocks *this)')
del_items(2148063244)
set_type(2148063244, 'void SetGraphics__7CBlocksPP7TextDatPii(struct CBlocks *this, struct TextDat **TDat, int *pId, int Id)')
del_items(2148063336)
set_type(2148063336, 'void DumpGraphics__7CBlocksPP7TextDatPi(struct CBlocks *this, struct TextDat **TDat, int *Id)')
del_items(2148063416)
set_type(2148063416, 'void Load__7CBlocksi(struct CBlocks *this, int Id)')
del_items(2148063600)
set_type(2148063600, 'void MakeRectTable__7CBlocks(struct CBlocks *this)')
del_items(2148063940)
set_type(2148063940, 'void MakeGt4Table__7CBlocks(struct CBlocks *this)')
del_items(2148064424)
set_type(2148064424, 'void MakeGt4__7CBlocksP8POLY_GT4P9FRAME_HDR(struct CBlocks *this, struct POLY_GT4 *GT4, struct FRAME_HDR *Fr)')
del_items(2148064720)
set_type(2148064720, 'void MyRoutine__FR7CBlocksii(struct CBlocks *B, int x, int y)')
del_items(2148064824)
set_type(2148064824, 'void SetRandOffset__7CBlocksi(struct CBlocks *this, int QuakeAmount)')
del_items(2148064916)
set_type(2148064916, 'void Print__7CBlocks(struct CBlocks *this)')
del_items(2148065200)
set_type(2148065200, 'void SetXY__7CBlocksii(struct CBlocks *this, int nx, int ny)')
del_items(2148065240)
set_type(2148065240, 'void GetXY__7CBlocksPiT1(struct CBlocks *this, int *nx, int *ny)')
del_items(2148065264)
set_type(2148065264, 'void InitColourCycling__7CBlocks(struct CBlocks *this)')
del_items(2148065596)
set_type(2148065596, 'void GetGCol__7CBlocksiiPUcP7RGBData(struct CBlocks *this, int x, int y, unsigned char *Rgb, struct RGBData *Data)')
del_items(2148065916)
set_type(2148065916, 'void PrintMap__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148068844)
set_type(2148068844, 'void IterateVisibleMap__7CBlocksiiPFP9CacheInfoP8map_infoii_ib(struct CBlocks *this, int x, int y, int (*Func)(), bool VisCheck)')
del_items(2148069988)
set_type(2148069988, 'int AddMonst__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148070212)
set_type(2148070212, 'void PrintMonsters__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148072936)
set_type(2148072936, 'int AddTowners__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148073028)
set_type(2148073028, 'void PrintTowners__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148073980)
set_type(2148073980, 'int AddObject__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148074072)
set_type(2148074072, 'void PrintObjects__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148075188)
set_type(2148075188, 'int AddDead__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148075328)
set_type(2148075328, 'void PrintDead__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148076036)
set_type(2148076036, 'int AddItem__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148076128)
set_type(2148076128, 'void PrintItems__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148077600)
set_type(2148077600, 'int AddMissile__FP9CacheInfoP8map_infoii(struct CacheInfo *Info, struct map_info *p0, int bx, int by)')
del_items(2148077864)
set_type(2148077864, 'void PrintMissiles__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148078368)
set_type(2148078368, 'int ScrToWorldX__7CBlocksii(struct CBlocks *this, int sx, int sy)')
del_items(2148078388)
set_type(2148078388, 'int ScrToWorldY__7CBlocksii(struct CBlocks *this, int sx, int sy)')
del_items(2148078408)
set_type(2148078408, 'void SetScrollTarget__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148078604)
set_type(2148078604, 'void DoScroll__7CBlocks(struct CBlocks *this)')
del_items(2148078840)
set_type(2148078840, 'void SetPlayerPosBlocks__7CBlocksiii(struct CBlocks *this, int PlayerNum, int bx, int by)')
del_items(2148079000)
set_type(2148079000, 'void GetScrXY__7CBlocksR4RECTiiii(struct CBlocks *this, struct RECT *R, int x, int y, int sxoff, int syoff)')
del_items(2148079212)
set_type(2148079212, 'void ShadScaleSkew__7CBlocksP8POLY_FT4(struct POLY_FT4 *Ft4)')
del_items(2148079372)
set_type(2148079372, 'int WorldToScrX__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148079380)
set_type(2148079380, 'int WorldToScrY__7CBlocksii(struct CBlocks *this, int x, int y)')
del_items(2148079400)
set_type(2148079400, 'struct CBlocks *BL_GetCurrentBlocks__Fv()')
del_items(2148079412)
set_type(2148079412, 'int GetHighlightCol__FiPcUsUsUs(int Index, char *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)')
del_items(2148079484)
set_type(2148079484, 'void PRIM_GetPrim__FPP8POLY_FT4(struct POLY_FT4 **Prim)')
del_items(2148079608)
set_type(2148079608, 'int GetHighlightCol__FiPiUsUsUs(int Index, int *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)')
del_items(2148079680)
set_type(2148079680, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4(struct POLY_FT4 *Prim)')
del_items(2148079740)
set_type(2148079740, 'void PRIM_GetPrim__FPP8POLY_GT4(struct POLY_GT4 **Prim)')
del_items(2148079864)
set_type(2148079864, 'void PRIM_CopyPrim__FP8POLY_FT4T0(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)')
del_items(2148079904)
set_type(2148079904, 'int GetCreature__14TownToCreaturei(struct TownToCreature *this, int GameCreature)')
del_items(2148079932)
set_type(2148079932, 'void SetItemGraphics__7CBlocksi(struct CBlocks *this, int Id)')
del_items(2148079972)
set_type(2148079972, 'void SetObjGraphics__7CBlocksi(struct CBlocks *this, int Id)')
del_items(2148080012)
set_type(2148080012, 'void DumpItems__7CBlocks(struct CBlocks *this)')
del_items(2148080048)
set_type(2148080048, 'void DumpObjs__7CBlocks(struct CBlocks *this)')
del_items(2148080084)
set_type(2148080084, 'void DumpMonsters__7CBlocks(struct CBlocks *this)')
del_items(2148080124)
set_type(2148080124, 'int GetOtPos__7CBlocksi(struct CBlocks *this, int LogicalY)')
del_items(2148080180)
set_type(2148080180, 'void InitFromGt4__9LittleGt4P8POLY_GT4ii(struct LittleGt4 *this, struct POLY_GT4 *Gt4, int nw, int nh)')
del_items(2148080320)
set_type(2148080320, 'int GetNumOfFrames__7TextDatii(struct TextDat *this, int Creature, int Action)')
del_items(2148080376)
set_type(2148080376, 'int GetNumOfActions__7TextDati(struct TextDat *this, int Creature)')
del_items(2148080412)
set_type(2148080412, 'struct CCreatureHdr *GetCreature__7TextDati(struct TextDat *this, int Creature)')
del_items(2148080440)
set_type(2148080440, 'void SetFileInfo__7TextDatPC13CTextFileInfoi(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)')
del_items(2148080452)
set_type(2148080452, 'int GetNumOfFrames__7TextDat(struct TextDat *this)')
del_items(2148080472)
set_type(2148080472, 'struct PAL *GetPal__7TextDati_addr_80091B58(struct TextDat *this, int PalNum)')
del_items(2148080500)
set_type(2148080500, 'struct FRAME_HDR *GetFr__7TextDati_addr_80091B74(struct TextDat *this, int FrNum)')
del_items(2148080528)
set_type(2148080528, 'struct TextDat *__7TextDat(struct TextDat *this)')
del_items(2148080580)
set_type(2148080580, 'void OnceOnlyInit__7TextDat(struct TextDat *this)')
del_items(2148080612)
set_type(2148080612, 'void ___7TextDat(struct TextDat *this, int __in_chrg)')
del_items(2148080684)
set_type(2148080684, 'void ReloadTP__7TextDat(struct TextDat *this)')
del_items(2148080748)
set_type(2148080748, 'void Use__7TextDatlbi(struct TextDat *this, long NewHndDat, bool DatLoaded, int size)')
del_items(2148081324)
set_type(2148081324, 'bool TpLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)')
del_items(2148081492)
set_type(2148081492, 'void StreamLoadTP__7TextDat(struct TextDat *this)')
del_items(2148081676)
set_type(2148081676, 'void FinishedUsing__7TextDat(struct TextDat *this)')
del_items(2148081828)
set_type(2148081828, 'void MakeBlockOffsetTab__7TextDat(struct TextDat *this)')
del_items(2148081904)
set_type(2148081904, 'long MakeOffsetTab__C9CBlockHdr(struct CBlockHdr *this)')
del_items(2148082204)
set_type(2148082204, 'void SetUVTp__7TextDatP9FRAME_HDRP8POLY_FT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4, int XFlip, int YFlip)')
del_items(2148082460)
set_type(2148082460, 'bool IsCompressed__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Dir, int Frame)')
del_items(2148082536)
set_type(2148082536, 'struct POLY_FT4 *PrintMonster__7TextDatiiiiiii(struct TextDat *this, int Creature, int Action, int Dir, int Frame, int x, int y, int OtPos)')
del_items(2148082708)
set_type(2148082708, 'struct POLY_FT4 *PrintMonsterA__7TextDatiiibi(struct TextDat *this, int Frm, int X, int Y, bool XFlip, int OtPos)')
del_items(2148083644)
set_type(2148083644, 'void PrepareFt4__7TextDatP8POLY_FT4iiiii(struct TextDat *this, struct POLY_FT4 *FT4, int Frm, int X, int Y, int XFlip, int YFlip)')
del_items(2148084304)
set_type(2148084304, 'unsigned char *GetDecompBufffer__7TextDati(struct TextDat *this, int Size)')
del_items(2148084656)
set_type(2148084656, 'void SetUVTpGT4__7TextDatP9FRAME_HDRP8POLY_GT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT4 *FT4, int XFlip, int YFlip)')
del_items(2148084912)
set_type(2148084912, 'void PrepareGt4__7TextDatP8POLY_GT4iiiii(struct TextDat *this, struct POLY_GT4 *GT4, int Frm, int X, int Y, int XFlip, int YFlip)')
del_items(2148085512)
set_type(2148085512, 'void SetUVTpGT3__7TextDatP9FRAME_HDRP8POLY_GT3(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT3 *GT3)')
del_items(2148085644)
set_type(2148085644, 'void PrepareGt3__7TextDatP8POLY_GT3iii(struct TextDat *this, struct POLY_GT3 *GT3, int Frm, int X, int Y)')
del_items(2148086100)
set_type(2148086100, 'struct POLY_FT4 *PrintFt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)')
del_items(2148086440)
set_type(2148086440, 'struct POLY_GT4 *PrintGt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)')
del_items(2148086780)
set_type(2148086780, 'void DecompFrame__7TextDatP9FRAME_HDR(struct TextDat *this, struct FRAME_HDR *Fr)')
del_items(2148087124)
set_type(2148087124, 'void MakeCreatureOffsetTab__7TextDat(struct TextDat *this)')
del_items(2148087444)
set_type(2148087444, 'void MakePalOffsetTab__7TextDat(struct TextDat *this)')
del_items(2148087696)
set_type(2148087696, 'void InitData__7TextDat(struct TextDat *this)')
del_items(2148087744)
set_type(2148087744, 'void DumpData__7TextDat(struct TextDat *this)')
del_items(2148088040)
set_type(2148088040, 'void DumpHdr__7TextDat(struct TextDat *this)')
del_items(2148088140)
set_type(2148088140, 'struct TextDat *GM_UseTexData__Fi(int Id)')
del_items(2148088448)
set_type(2148088448, 'void GM_ForceTpLoad__Fi(int Id)')
del_items(2148088508)
set_type(2148088508, 'void GM_FinishedUsing__FP7TextDat(struct TextDat *Fin)')
del_items(2148088592)
set_type(2148088592, 'void SetPal__7TextDatP9FRAME_HDRP8POLY_FT4(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4)')
del_items(2148088788)
set_type(2148088788, 'int GetFrNum__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Direction, int Frame)')
del_items(2148088872)
set_type(2148088872, 'bool IsDirAliased__7TextDatiii(struct TextDat *this, int Creature, int Action, int Direction)')
del_items(2148088960)
set_type(2148088960, 'void DoDecompRequests__7TextDat(struct TextDat *this)')
del_items(2148089252)
set_type(2148089252, 'void FindDecompArea__7TextDatR4RECT(struct TextDat *this, struct RECT *R)')
del_items(2148089468)
set_type(2148089468, 'struct CTextFileInfo *GetFileInfo__7TextDati(int Id)')
del_items(2148089548)
set_type(2148089548, 'int GetSize__C15CCreatureAction(struct CCreatureAction *this)')
del_items(2148089588)
set_type(2148089588, 'int GetFrNum__C15CCreatureActionii(struct CCreatureAction *this, int Direction, int Frame)')
del_items(2148089636)
set_type(2148089636, 'void InitDirRemap__15CCreatureAction(struct CCreatureAction *this)')
del_items(2148089828)
set_type(2148089828, 'int GetFrNum__C12CCreatureHdriii(struct CCreatureHdr *this, int Action, int Direction, int Frame)')
del_items(2148089896)
set_type(2148089896, 'struct CCreatureAction *GetAction__C12CCreatureHdri(struct CCreatureHdr *this, int ActNum)')
del_items(2148090040)
set_type(2148090040, 'void InitActionDirRemaps__12CCreatureHdr(struct CCreatureHdr *this)')
del_items(2148090152)
set_type(2148090152, 'int GetSize__C12CCreatureHdr(struct CCreatureHdr *this)')
del_items(2148090260)
set_type(2148090260, 'void LoadDat__C13CTextFileInfoli(struct CTextFileInfo *this, long hnd, int size)')
del_items(2148090568)
set_type(2148090568, 'long LoadDat__C13CTextFileInfo(struct CTextFileInfo *this)')
del_items(2148090656)
set_type(2148090656, 'long LoadHdr__C13CTextFileInfo(struct CTextFileInfo *this)')
del_items(2148090696)
set_type(2148090696, 'void MakeFname__C13CTextFileInfoPcPCc(struct CTextFileInfo *this, char *Dest, char *Ext)')
del_items(2148090768)
set_type(2148090768, 'long GetFile__C13CTextFileInfoPcUl(struct CTextFileInfo *this, char *Ext, unsigned long RamId)')
del_items(2148090928)
set_type(2148090928, 'bool HasFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)')
del_items(2148091076)
set_type(2148091076, 'void Un64__FPUcT0l(unsigned char *Src, unsigned char *Dest, long SizeBytes)')
del_items(2148091288)
set_type(2148091288, 'struct CScreen *__7CScreen(struct CScreen *this)')
del_items(2148091340)
set_type(2148091340, 'void Load__7CScreeniii(struct CScreen *this, int Id, int tpx, int tpy)')
del_items(2148092128)
set_type(2148092128, 'void Unload__7CScreen(struct CScreen *this)')
del_items(2148092164)
set_type(2148092164, 'void Display__7CScreeniiii(struct CScreen *this, int Id, int tpx, int tpy, int fadeval)')
del_items(2148092900)
set_type(2148092900, 'void SetRect__5CPartR7TextDatR4RECT(struct CPart *this, struct TextDat *TDat, struct RECT *R)')
del_items(2148093024)
set_type(2148093024, 'void GetBoundingBox__6CBlockR7TextDatR4RECT(struct CBlock *this, struct TextDat *TDat, struct RECT *R)')
del_items(2148093372)
set_type(2148093372, 'void _GLOBAL__D_DatPool()')
del_items(2148093460)
set_type(2148093460, 'void _GLOBAL__I_DatPool()')
del_items(2148093544)
set_type(2148093544, 'void PRIM_GetPrim__FPP8POLY_GT4_addr_80094E68(struct POLY_GT4 **Prim)')
del_items(2148093668)
set_type(2148093668, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_80094EE4(struct POLY_FT4 **Prim)')
del_items(2148093792)
set_type(2148093792, 'void DumpDatFile__7TextDat(struct TextDat *this)')
del_items(2148093908)
set_type(2148093908, 'bool CanXferFrame__C7TextDat(struct TextDat *this)')
del_items(2148093948)
set_type(2148093948, 'bool CanXferPal__C7TextDat(struct TextDat *this)')
del_items(2148093988)
set_type(2148093988, 'bool IsLoaded__C7TextDat(struct TextDat *this)')
del_items(2148094000)
set_type(2148094000, 'int GetTexNum__C7TextDat(struct TextDat *this)')
del_items(2148094012)
set_type(2148094012, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8009503C(struct TextDat *this, int Creature)')
del_items(2148094040)
set_type(2148094040, 'int GetNumOfCreatures__7TextDat(struct TextDat *this)')
del_items(2148094060)
set_type(2148094060, 'void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_8009506C(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)')
del_items(2148094072)
set_type(2148094072, 'int GetNumOfFrames__7TextDat_addr_80095078(struct TextDat *this)')
del_items(2148094092)
set_type(2148094092, 'struct PAL *GetPal__7TextDati_addr_8009508C(struct TextDat *this, int PalNum)')
del_items(2148094120)
set_type(2148094120, 'struct FRAME_HDR *GetFr__7TextDati_addr_800950A8(struct TextDat *this, int FrNum)')
del_items(2148094148)
set_type(2148094148, 'char *GetName__C13CTextFileInfo(struct CTextFileInfo *this)')
del_items(2148094160)
set_type(2148094160, 'bool HasDat__C13CTextFileInfo(struct CTextFileInfo *this)')
del_items(2148094200)
set_type(2148094200, 'bool HasTp__C13CTextFileInfo(struct CTextFileInfo *this)')
del_items(2148094240)
set_type(2148094240, 'int GetSize__C6CBlock(struct CBlock *this)')
del_items(2148094260)
set_type(2148094260, 'bool OVR_IsMemcardOverlayBlank__Fv()')
del_items(2148094304)
set_type(2148094304, 'void OVR_LoadPregame__Fv()')
del_items(2148094344)
set_type(2148094344, 'void OVR_LoadFrontend__Fv()')
del_items(2148094384)
set_type(2148094384, 'void OVR_LoadGame__Fv()')
del_items(2148094424)
set_type(2148094424, 'void OVR_LoadFmv__Fv()')
del_items(2148094464)
set_type(2148094464, 'void OVR_LoadMemcard__Fv()')
del_items(2148094508)
set_type(2148094508, 'void ClearOutOverlays__Fv()')
del_items(2148094596)
set_type(2148094596, 'void ClearOut__7Overlay(struct Overlay *this)')
del_items(2148094792)
set_type(2148094792, 'void Load__7Overlay(struct Overlay *this)')
del_items(2148094884)
set_type(2148094884, 'enum OVER_TYPE OVR_GetCurrentOverlay__Fv()')
del_items(2148094896)
set_type(2148094896, 'void LoadOver__FR7Overlay(struct Overlay *Ovr)')
del_items(2148094980)
set_type(2148094980, 'void _GLOBAL__I_OVR_Open__Fv()')
del_items(2148095348)
set_type(2148095348, 'enum OVER_TYPE GetOverType__7Overlay(struct Overlay *this)')
del_items(2148095360)
set_type(2148095360, 'void StevesDummyPoll__Fv()')
del_items(2148095368)
set_type(2148095368, 'void Lambo__Fv()')
del_items(2148095376)
set_type(2148095376, 'struct CPlayer *__7CPlayerbii(struct CPlayer *this, bool Town, int mPlayerNum, int NewNumOfPlayers)')
del_items(2148095720)
set_type(2148095720, 'void ___7CPlayer(struct CPlayer *this, int __in_chrg)')
del_items(2148095864)
set_type(2148095864, 'void Load__7CPlayeri(struct CPlayer *this, int Id)')
del_items(2148095972)
set_type(2148095972, 'void SetScrollTarget__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)')
del_items(2148096968)
set_type(2148096968, 'void Print__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)')
del_items(2148098304)
set_type(2148098304, 'int FindAction__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)')
del_items(2148098436)
set_type(2148098436, 'enum PACTION FindActionEnum__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)')
del_items(2148098568)
set_type(2148098568, 'void Init__7CPlayer(struct CPlayer *this)')
del_items(2148098576)
set_type(2148098576, 'void Dump__7CPlayer(struct CPlayer *this)')
del_items(2148098584)
set_type(2148098584, 'void LoadThis__7CPlayeri(struct CPlayer *this, int Id)')
del_items(2148098696)
set_type(2148098696, 'void NonBlockingLoadNewGFX__7CPlayeri(struct CPlayer *this, int Id)')
del_items(2148098804)
set_type(2148098804, 'void FilthyTask__FP4TASK(struct TASK *T)')
del_items(2148098940)
set_type(2148098940, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8009637C(struct POLY_FT4 **Prim)')
del_items(2148099064)
set_type(2148099064, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_800963F8(struct POLY_FT4 *Prim)')
del_items(2148099124)
set_type(2148099124, 'void PRIM_CopyPrim__FP8POLY_FT4T0_addr_80096434(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)')
del_items(2148099164)
set_type(2148099164, 'int GetDatMaxSize__7CPlayer(struct CPlayer *this)')
del_items(2148099228)
set_type(2148099228, 'int GetOtPos__7CBlocksi_addr_8009649C(struct CBlocks *this, int LogicalY)')
del_items(2148099288)
set_type(2148099288, 'void SetDecompArea__7TextDatiiii(struct TextDat *this, int nDecX, int nDecY, int nPalX, int nPalY)')
del_items(2148099312)
set_type(2148099312, 'int GetNumOfFrames__7TextDatii_addr_800964F0(struct TextDat *this, int Creature, int Action)')
del_items(2148099368)
set_type(2148099368, 'int GetNumOfActions__7TextDati_addr_80096528(struct TextDat *this, int Creature)')
del_items(2148099404)
set_type(2148099404, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8009654C(struct TextDat *this, int Creature)')
del_items(2148099432)
set_type(2148099432, 'void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_80096568(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)')
del_items(2148099444)
set_type(2148099444, 'void PROF_Open__Fv()')
del_items(2148099508)
set_type(2148099508, 'bool PROF_State__Fv()')
del_items(2148099520)
set_type(2148099520, 'void PROF_On__Fv()')
del_items(2148099536)
set_type(2148099536, 'void PROF_Off__Fv()')
del_items(2148099548)
set_type(2148099548, 'void PROF_CpuEnd__Fv()')
del_items(2148099596)
set_type(2148099596, 'void PROF_CpuStart__Fv()')
del_items(2148099632)
set_type(2148099632, 'void PROF_DrawStart__Fv()')
del_items(2148099668)
set_type(2148099668, 'void PROF_DrawEnd__Fv()')
del_items(2148099716)
set_type(2148099716, 'void PROF_Draw__FPUl(unsigned long *Ot)')
del_items(2148100216)
set_type(2148100216, 'void PROF_Restart__Fv()')
del_items(2148100248)
set_type(2148100248, 'void PSX_WndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)')
del_items(2148101148)
set_type(2148101148, 'void PSX_PostWndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)')
del_items(2148101332)
set_type(2148101332, 'void GoSetLevel__Fv()')
del_items(2148101484)
set_type(2148101484, 'void GoBackLevel__Fv()')
del_items(2148101576)
set_type(2148101576, 'void GoWarpLevel__Fv()')
del_items(2148101620)
set_type(2148101620, 'void PostLoadGame__Fv()')
del_items(2148101740)
set_type(2148101740, 'void GoLoadGame__Fv()')
del_items(2148102084)
set_type(2148102084, 'void PostNewLevel__Fv()')
del_items(2148102264)
set_type(2148102264, 'void GoNewLevel__Fv()')
del_items(2148102336)
set_type(2148102336, 'void PostGoBackLevel__Fv()')
del_items(2148102508)
set_type(2148102508, 'void GoForwardLevel__Fv()')
del_items(2148102592)
set_type(2148102592, 'void PostGoForwardLevel__Fv()')
del_items(2148102764)
set_type(2148102764, 'void GoNewGame__Fv()')
del_items(2148102800)
set_type(2148102800, 'void PostNewGame__Fv()')
del_items(2148102840)
set_type(2148102840, 'void LevelToLevelInit__Fv()')
del_items(2148102920)
set_type(2148102920, 'unsigned int GetPal__6GPaneli(struct GPanel *this, int Frm)')
del_items(2148102988)
set_type(2148102988, 'struct GPanel *__6GPaneli(struct GPanel *this, int Ofs)')
del_items(2148103088)
set_type(2148103088, 'void DrawFlask__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148104228)
set_type(2148104228, 'unsigned char SpdTrimCol__Fs(short col)')
del_items(2148104284)
set_type(2148104284, 'void DrawSpeedBar__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148106120)
set_type(2148106120, 'void DrawSpell__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148106532)
set_type(2148106532, 'void DrawMsgWindow__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148106612)
set_type(2148106612, 'int DrawDurThingy__6GPaneliiP10ItemStructi(struct GPanel *this, int X, int Y, struct ItemStruct *Item, int ItemType)')
del_items(2148107328)
set_type(2148107328, 'void DrawDurIcon__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148107628)
set_type(2148107628, 'void Print__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)')
del_items(2148107908)
set_type(2148107908, 'int GetMaxOtPos__7CBlocks_addr_80098684()')
del_items(2148107916)
set_type(2148107916, 'struct PAL *GetPal__7TextDati_addr_8009868C(struct TextDat *this, int PalNum)')
del_items(2148107944)
set_type(2148107944, 'struct FRAME_HDR *GetFr__7TextDati_addr_800986A8(struct TextDat *this, int FrNum)')
del_items(2148107972)
set_type(2148107972, 'void PrintCDWaitTask__FP4TASK(struct TASK *T)')
del_items(2148108288)
set_type(2148108288, 'void InitCDWaitIcon__Fv()')
del_items(2148108340)
set_type(2148108340, 'void STR_Debug__FP6SFXHDRPce(struct SFXHDR *sfh, char *e)')
del_items(2148108360)
set_type(2148108360, 'void STR_SystemTask__FP4TASK(struct TASK *T)')
del_items(2148108408)
set_type(2148108408, 'void STR_AllocBuffer__Fv()')
del_items(2148108464)
set_type(2148108464, 'void STR_Init__Fv()')
del_items(2148108764)
set_type(2148108764, 'struct SFXHDR *STR_InitStream__Fc(char flag)')
del_items(2148109060)
set_type(2148109060, 'struct SFXHDR *STR_PlaySound__FUscic(unsigned short Name, char flag, int volume, char loop)')
del_items(2148109644)
set_type(2148109644, 'void STR_setvolume__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148109848)
set_type(2148109848, 'void STR_setpitch__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148109924)
set_type(2148109924, 'void STR_PlaySFX__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148110192)
set_type(2148110192, 'void STR_pauseall__Fv()')
del_items(2148110308)
set_type(2148110308, 'void STR_resumeall__Fv()')
del_items(2148110424)
set_type(2148110424, 'void STR_CloseStream__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148110532)
set_type(2148110532, 'void STR_SoundCommand__FP6SFXHDRi(struct SFXHDR *sfh, int Command)')
del_items(2148110768)
set_type(2148110768, 'char STR_Command__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148111264)
set_type(2148111264, 'void STR_DMAControl__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148111464)
set_type(2148111464, 'void STR_PlayStream__FP6SFXHDRPUci(struct SFXHDR *sfh, unsigned char *Src, int size)')
del_items(2148112104)
set_type(2148112104, 'void STR_AsyncWeeTASK__FP4TASK(struct TASK *T)')
del_items(2148112832)
set_type(2148112832, 'void STR_AsyncTASK__FP4TASK(struct TASK *T)')
del_items(2148113832)
set_type(2148113832, 'void STR_StreamMainTask__FP6SFXHDRc(struct SFXHDR *sfh, char FileType)')
del_items(2148114132)
set_type(2148114132, 'void SND_Monitor__FP4TASK(struct TASK *T)')
del_items(2148114272)
set_type(2148114272, 'void SPU_OnceOnlyInit__Fv()')
del_items(2148114328)
set_type(2148114328, 'void SPU_Init__Fv()')
del_items(2148114592)
set_type(2148114592, 'int SND_FindChannel__Fv()')
del_items(2148114700)
set_type(2148114700, 'void SND_ClearBank__Fv()')
del_items(2148114812)
set_type(2148114812, 'bool SndLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)')
del_items(2148114932)
set_type(2148114932, 'void SND_LoadBank__Fi(int lvlnum)')
del_items(2148115224)
set_type(2148115224, 'int SND_FindSFX__FUs(unsigned short Name)')
del_items(2148115444)
set_type(2148115444, 'void SND_StopSnd__Fi(int voice)')
del_items(2148115496)
set_type(2148115496, 'bool SND_IsSfxPlaying__Fi(int SFXNo)')
del_items(2148115556)
set_type(2148115556, 'int SND_RemapSnd__Fi(int SFXNo)')
del_items(2148115672)
set_type(2148115672, 'int SND_PlaySnd__FUsiii(unsigned short Name, int vol, int pan, int pitchadj)')
del_items(2148116208)
set_type(2148116208, 'void AS_CallBack0__Fi(int ah)')
del_items(2148116316)
set_type(2148116316, 'void AS_CallBack1__Fi(int ah)')
del_items(2148116424)
set_type(2148116424, 'void AS_WasLastBlock__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)')
del_items(2148116624)
set_type(2148116624, 'int AS_OpenStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)')
del_items(2148116784)
set_type(2148116784, 'char AS_GetBlock__FP6SFXHDR(struct SFXHDR *sfh)')
del_items(2148116832)
set_type(2148116832, 'void AS_CloseStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)')
del_items(2148116916)
set_type(2148116916, 'unsigned short SCR_GetBlackClut__Fv()')
del_items(2148116928)
set_type(2148116928, 'void SCR_Open__Fv()')
del_items(2148116984)
set_type(2148116984, 'void SCR_DumpClut__Fv()')
del_items(2148117100)
set_type(2148117100, 'unsigned short SCR_NeedHighlightPal__FUsUsi(unsigned short Clut, unsigned short PixVal, int NumOfCols)')
del_items(2148117152)
set_type(2148117152, 'void Init__13PalCollectionPC7InitPos(struct PalCollection *this, struct InitPos *IPos)')
del_items(2148117296)
set_type(2148117296, 'struct PalEntry *FindPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)')
del_items(2148117516)
set_type(2148117516, 'struct PalEntry *NewPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)')
del_items(2148117644)
set_type(2148117644, 'void MakePal__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)')
del_items(2148117804)
set_type(2148117804, 'unsigned short GetHighlightPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)')
del_items(2148117876)
set_type(2148117876, 'void UpdatePals__13PalCollection(struct PalCollection *this)')
del_items(2148117992)
set_type(2148117992, 'void SCR_Handler__Fv()')
del_items(2148118032)
set_type(2148118032, 'int GetNumOfObjs__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)')
del_items(2148118040)
set_type(2148118040, 'struct PalEntry *GetObj__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)')
del_items(2148118100)
set_type(2148118100, 'void Init__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)')
del_items(2148118200)
set_type(2148118200, 'void MoveFromUsedToUnused__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)')
del_items(2148118288)
set_type(2148118288, 'void MoveFromUnusedToUsed__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)')
del_items(2148118376)
set_type(2148118376, 'void Set__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)')
del_items(2148118396)
set_type(2148118396, 'void Set__8PalEntryRC7InitPos(struct PalEntry *this, struct InitPos *NewPos)')
del_items(2148118440)
set_type(2148118440, 'bool SetJustUsed__8PalEntryb(struct PalEntry *this, bool NewVal)')
del_items(2148118448)
set_type(2148118448, 'void Init__8PalEntry(struct PalEntry *this)')
del_items(2148118456)
set_type(2148118456, 'unsigned short GetClut__C8PalEntry(struct PalEntry *this)')
del_items(2148118468)
set_type(2148118468, 'bool IsEqual__C8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)')
del_items(2148118524)
set_type(2148118524, 'struct PalEntry *GetNext__Ct11TLinkedList1Z8PalEntry(struct t11TLinkedList1Z8PalEntry *this)')
del_items(2148118536)
set_type(2148118536, 'void AddToList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)')
del_items(2148118568)
set_type(2148118568, 'void DetachFromList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)')
del_items(2148118644)
set_type(2148118644, 'void stub__FPcPv(char *e, void *argptr)')
del_items(2148118652)
set_type(2148118652, 'void new_eprint__FPcT0i(char *Text, char *File, int Line)')
del_items(2148118704)
set_type(2148118704, 'void TonysGameTask__FP4TASK(struct TASK *T)')
del_items(2148118840)
set_type(2148118840, 'void SetAmbientLight__Fv()')
del_items(2148119032)
set_type(2148119032, 'void SetDemoPlayer__Fv()')
del_items(2148119080)
set_type(2148119080, 'void print_demo_task__FP4TASK(struct TASK *T)')
del_items(2148119912)
set_type(2148119912, 'void TonysDummyPoll__Fv()')
del_items(2148119956)
set_type(2148119956, 'void SetTonyPoll__Fv()')
del_items(2148119968)
set_type(2148119968, 'void ClearTonyPoll__Fv()')
del_items(2148119980)
set_type(2148119980, 'void load_demo_pad_data__FUl(unsigned long demo_num)')
del_items(2148120076)
set_type(2148120076, 'void save_demo_pad_data__FUl(unsigned long demo_num)')
del_items(2148120172)
set_type(2148120172, 'void set_pad_record_play__Fi(int level)')
del_items(2148120288)
set_type(2148120288, 'void start_demo__Fv()')
del_items(2148120304)
set_type(2148120304, 'void SetQuest__Fv()')
del_items(2148120312)
set_type(2148120312, 'void DrawManaShield__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2148120320)
set_type(2148120320, 'void ManaTask__FP4TASK(struct TASK *T)')
del_items(2148120328)
set_type(2148120328, 'void tony__Fv()')
del_items(2148120392)
set_type(2148120392, 'void GLUE_SetMonsterList__Fi(int List)')
del_items(2148120404)
set_type(2148120404, 'int GLUE_GetMonsterList__Fv()')
del_items(2148120416)
set_type(2148120416, 'void GLUE_SuspendGame__Fv()')
del_items(2148120500)
set_type(2148120500, 'void GLUE_ResumeGame__Fv()')
del_items(2148120584)
set_type(2148120584, 'void GLUE_PreTown__Fv()')
del_items(2148120632)
set_type(2148120632, 'void GLUE_PreDun__Fv()')
del_items(2148120640)
set_type(2148120640, 'bool GLUE_Finished__Fv()')
del_items(2148120652)
set_type(2148120652, 'void GLUE_SetFinished__Fb(bool NewFinished)')
del_items(2148120664)
set_type(2148120664, 'void GLUE_StartBg__Fibi(int TextId, bool IsTown, int Level)')
del_items(2148120768)
set_type(2148120768, 'bool GLUE_SetShowGameScreenFlag__Fb(bool NewFlag)')
del_items(2148120784)
set_type(2148120784, 'bool GLUE_GetShowGameScreenFlag__Fv()')
del_items(2148120796)
set_type(2148120796, 'bool GLUE_SetHomingScrollFlag__Fb(bool NewFlag)')
del_items(2148120812)
set_type(2148120812, 'bool GLUE_SetShowPanelFlag__Fb(bool NewFlag)')
del_items(2148120828)
set_type(2148120828, 'bool GLUE_HasGameStarted__Fv()')
del_items(2148120840)
set_type(2148120840, 'void DoShowPanelGFX__FP6GPanelT0(struct GPanel *P1, struct GPanel *P2)')
del_items(2148121056)
set_type(2148121056, 'void GLUE_DoQuake__Fii(int Time, int Amount)')
del_items(2148121072)
set_type(2148121072, 'void BgTask__FP4TASK(struct TASK *T)')
del_items(2148122268)
set_type(2148122268, 'struct PInf *FindPlayerChar__FPc(char *Id)')
del_items(2148122420)
set_type(2148122420, 'struct PInf *FindPlayerChar__Fiii(int Char, int Wep, int Arm)')
del_items(2148122512)
set_type(2148122512, 'struct PInf *FindPlayerChar__FP12PlayerStruct(struct PlayerStruct *P)')
del_items(2148122560)
set_type(2148122560, 'int FindPlayerChar__FP12PlayerStructb(struct PlayerStruct *P, bool InTown)')
del_items(2148122764)
set_type(2148122764, 'void MakeSurePlayerDressedProperly__FR7CPlayerR12PlayerStructbT2(struct CPlayer *Player, struct PlayerStruct *Plr, bool InTown, bool Blocking)')
del_items(2148122884)
set_type(2148122884, 'struct MonstList *GLUE_GetCurrentList__Fi(int Level)')
del_items(2148123056)
set_type(2148123056, 'void GLUE_StartGameExit__Fv()')
del_items(2148123164)
set_type(2148123164, 'void GLUE_Init__Fv()')
del_items(2148123172)
set_type(2148123172, 'int GetTexId__7CPlayer(struct CPlayer *this)')
del_items(2148123184)
set_type(2148123184, 'void SetTown__7CBlocksb(struct CBlocks *this, bool Val)')
del_items(2148123192)
set_type(2148123192, 'void MoveToScrollTarget__7CBlocks(struct CBlocks *this)')
del_items(2148123212)
set_type(2148123212, 'void SetDemoKeys__FPi(int *buffer)')
del_items(2148123428)
set_type(2148123428, 'void RestoreDemoKeys__FPi(int *buffer)')
del_items(2148123572)
set_type(2148123572, 'char *get_action_str__Fii(int pval, int combo)')
del_items(2148123692)
set_type(2148123692, 'int get_key_pad__Fi(int n)')
del_items(2148123748)
set_type(2148123748, 'bool checkvalid__Fv()')
del_items(2148123848)
set_type(2148123848, 'bool RemoveCtrlScreen__Fv()')
del_items(2148123940)
set_type(2148123940, 'unsigned char Init_ctrl_pos__Fv()')
del_items(2148124124)
set_type(2148124124, 'int remove_padval__Fi(int p)')
del_items(2148124188)
set_type(2148124188, 'int remove_comboval__Fib(int p, bool all)')
del_items(2148124260)
set_type(2148124260, 'unsigned char set_buttons__Fii(int cline, int n)')
del_items(2148124636)
set_type(2148124636, 'void restore_controller_settings__F8CTRL_SET(enum CTRL_SET s)')
del_items(2148124800)
set_type(2148124800, 'bool only_one_button__Fi(int p)')
del_items(2148124844)
set_type(2148124844, 'unsigned char main_ctrl_setup__Fv()')
del_items(2148126088)
set_type(2148126088, 'void PrintCtrlString__FiiUcic(int x, int y, unsigned char cjustflag, int str_num, int col)')
del_items(2148127452)
set_type(2148127452, 'void DrawCtrlSetup__Fv()')
del_items(2148128732)
set_type(2148128732, 'void _GLOBAL__D_ctrlflag()')
del_items(2148128772)
set_type(2148128772, 'void _GLOBAL__I_ctrlflag()')
del_items(2148128812)
set_type(2148128812, 'unsigned short GetTick__C4CPad(struct CPad *this)')
del_items(2148128852)
set_type(2148128852, 'unsigned short GetDown__C4CPad_addr_8009D854(struct CPad *this)')
del_items(2148128892)
set_type(2148128892, 'unsigned short GetUp__C4CPad(struct CPad *this)')
del_items(2148128932)
set_type(2148128932, 'unsigned short GetCur__C4CPad_addr_8009D8A4(struct CPad *this)')
del_items(2148128972)
set_type(2148128972, 'void SetPadTickMask__4CPadUs(struct CPad *this, unsigned short mask)')
del_items(2148128980)
set_type(2148128980, 'void SetPadTick__4CPadUs(struct CPad *this, unsigned short tick)')
del_items(2148128988)
set_type(2148128988, 'void SetRGB__6DialogUcUcUc_addr_8009D8DC(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148129020)
set_type(2148129020, 'void SetBorder__6Dialogi_addr_8009D8FC(struct Dialog *this, int Type)')
del_items(2148129028)
set_type(2148129028, 'void ___6Dialog_addr_8009D904(struct Dialog *this, int __in_chrg)')
del_items(2148129068)
set_type(2148129068, 'struct Dialog *__6Dialog_addr_8009D92C(struct Dialog *this)')
del_items(2148129196)
set_type(2148129196, 'int GetOverlayOtBase__7CBlocks_addr_8009D9AC()')
del_items(2148129204)
set_type(2148129204, 'void color_cycle__FP4TASK(struct TASK *T)')
del_items(2148130164)
set_type(2148130164, 'void penta_cycle_task__FP4TASK(struct TASK *T)')
del_items(2148130548)
set_type(2148130548, 'void DrawFlameLogo__Fv()')
del_items(2148130980)
set_type(2148130980, 'void TitleScreen__FP7CScreen(struct CScreen *FeScreen)')
del_items(2148131064)
set_type(2148131064, 'void DaveLDummyPoll__Fv()')
del_items(2148131072)
set_type(2148131072, 'void DaveL__Fv()')
del_items(2148131112)
set_type(2148131112, 'void DoReflection__FP8POLY_FT4iii(struct POLY_FT4 *Ft4, int R, int G, int B)')
del_items(2148131944)
set_type(2148131944, 'void mteleportfx__Fv()')
del_items(2148132732)
set_type(2148132732, 'void invistimer__Fv()')
del_items(2148132948)
set_type(2148132948, 'void setUVparams__FP8POLY_FT4P9FRAME_HDR(struct POLY_FT4 *Ft4, struct FRAME_HDR *Fr)')
del_items(2148133092)
set_type(2148133092, 'void drawparticle__Fiiiiii(int x, int y, int scale, int anim, int colour, int OtPos)')
del_items(2148133596)
set_type(2148133596, 'void drawpolyF4__Fiiiiii(int x, int y, int w, int h, int colour, int OtPos)')
del_items(2148133904)
set_type(2148133904, 'void drawpolyG4__Fiiiiiiii(int x, int y, int w, int h1, int h2, int colour0, int colour1, int OtPos)')
del_items(2148134368)
set_type(2148134368, 'void particlejump__Fii(int ScrX, int ScrY)')
del_items(2148134832)
set_type(2148134832, 'void doparticlejump__Fv()')
del_items(2148135236)
set_type(2148135236, 'void StartPartJump__Fiiiii(int mi, int height, int scale, int colour, int OtPos)')
del_items(2148135576)
set_type(2148135576, 'void MonstPartJump__Fi(int m)')
del_items(2148135864)
set_type(2148135864, 'void doparticlechain__Fiiiiiiiiiiii(int sx, int sy, int dx, int dy, int count, int scale, int scaledec, int semitrans, int randomize, int colour, int OtPos, int source)')
del_items(2148136712)
set_type(2148136712, 'void ParticleMissile__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)')
del_items(2148136900)
set_type(2148136900, 'void Teleportfx__Fiiiiiiii(int scrnx, int scrny, int width, int height, int scale, int colmask, int numpart, int OtPos)')
del_items(2148137668)
set_type(2148137668, 'void ResurrectFX__Fiiii(int x, int height, int scale, int OtPos)')
del_items(2148138220)
set_type(2148138220, 'void ParticleExp__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)')
del_items(2148138372)
set_type(2148138372, 'void GetPlrPos__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)')
del_items(2148138664)
set_type(2148138664, 'void healFX__Fv()')
del_items(2148138980)
set_type(2148138980, 'void HealStart__Fi(int plr)')
del_items(2148139032)
set_type(2148139032, 'void HealotherStart__Fi(int plr)')
del_items(2148139088)
set_type(2148139088, 'void TeleStart__Fi(int plr)')
del_items(2148139280)
set_type(2148139280, 'void TeleStop__Fi(int plr)')
del_items(2148139324)
set_type(2148139324, 'void PhaseStart__Fi(int plr)')
del_items(2148139376)
set_type(2148139376, 'void PhaseEnd__Fi(int plr)')
del_items(2148139420)
set_type(2148139420, 'void ApocInit__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)')
del_items(2148139908)
set_type(2148139908, 'void ApocaStart__Fi(int plr)')
del_items(2148140008)
set_type(2148140008, 'void DaveLTask__FP4TASK(struct TASK *T)')
del_items(2148140216)
set_type(2148140216, 'void PRIM_GetPrim__FPP7POLY_G4(struct POLY_G4 **Prim)')
del_items(2148140340)
set_type(2148140340, 'void PRIM_GetPrim__FPP7POLY_F4(struct POLY_F4 **Prim)')
del_items(2148140464)
set_type(2148140464, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800A05B0(struct POLY_FT4 **Prim)')
del_items(2148140588)
set_type(2148140588, 'struct CPlayer *GetPlayer__7CPlayeri(int PNum)')
del_items(2148140668)
set_type(2148140668, 'int GetLastOtPos__C7CPlayer(struct CPlayer *this)')
del_items(2148140680)
set_type(2148140680, 'int GetOtPos__7CBlocksi_addr_800A0688(struct CBlocks *this, int LogicalY)')
del_items(2148140740)
set_type(2148140740, 'struct FRAME_HDR *GetFr__7TextDati_addr_800A06C4(struct TextDat *this, int FrNum)')
del_items(2148140768)
set_type(2148140768, 'void SetQSpell__Fiii(int pnum, int Spell, int type)')
del_items(2148140800)
set_type(2148140800, 'void release_spell__Fi(int pnum)')
del_items(2148140900)
set_type(2148140900, 'void select_belt_item__Fi(int pnum)')
del_items(2148140908)
set_type(2148140908, 'unsigned char any_belt_items__Fv()')
del_items(2148141012)
set_type(2148141012, 'void get_last_inv__Fv()')
del_items(2148141312)
set_type(2148141312, 'void get_next_inv__Fv()')
del_items(2148141620)
set_type(2148141620, 'void pad_func_up__Fi(int pnum)')
del_items(2148141664)
set_type(2148141664, 'void pad_func_down__Fi(int pnum)')
del_items(2148141708)
set_type(2148141708, 'void pad_func_left__Fi(int pnum)')
del_items(2148141716)
set_type(2148141716, 'void pad_func_right__Fi(int pnum)')
del_items(2148141724)
set_type(2148141724, 'void pad_func_select__Fi(int pnum)')
del_items(2148141920)
set_type(2148141920, 'void SetFindMonsterXY__FP12PlayerStructi(struct PlayerStruct *p, int i)')
del_items(2148142064)
set_type(2148142064, 'void pad_func_Attack__Fi(int pnum)')
del_items(2148143268)
set_type(2148143268, 'void pad_func_Action__Fi(int pnum)')
del_items(2148144220)
set_type(2148144220, 'void InitTargetCursor__Fi(int pnum)')
del_items(2148144272)
set_type(2148144272, 'void RemoveTargetCursor__Fi(int pnum)')
del_items(2148144344)
set_type(2148144344, 'bool TargetingSpell__Fi(int sp)')
del_items(2148144416)
set_type(2148144416, 'void pad_func_Cast_Spell__Fi(int pnum)')
del_items(2148145440)
set_type(2148145440, 'void pad_func_Use_Item__Fi(int pnum)')
del_items(2148146004)
set_type(2148146004, 'void pad_func_BeltList__Fi(int pnum)')
del_items(2148146364)
set_type(2148146364, 'void pad_func_Chr__Fi(int pnum)')
del_items(2148146672)
set_type(2148146672, 'void pad_func_Inv__Fi(int pnum)')
del_items(2148146976)
set_type(2148146976, 'void pad_func_SplBook__Fi(int pnum)')
del_items(2148147280)
set_type(2148147280, 'void pad_func_QLog__Fi(int pnum)')
del_items(2148147524)
set_type(2148147524, 'void pad_func_SpellBook__Fi(int pnum)')
del_items(2148147740)
set_type(2148147740, 'void pad_func_AutoMap__Fi(int pnum)')
del_items(2148147928)
set_type(2148147928, 'void pad_func_Quick_Spell__Fi(int pnum)')
del_items(2148148300)
set_type(2148148300, 'void check_inv__FiPci(int pnum, char *ilist, int entries)')
del_items(2148148940)
set_type(2148148940, 'void pad_func_Quick_Use_Health__Fi(int pnum)')
del_items(2148148980)
set_type(2148148980, 'void pad_func_Quick_Use_Mana__Fi(int pnum)')
del_items(2148149020)
set_type(2148149020, 'bool sort_gold__Fi(int pnum)')
del_items(2148149284)
set_type(2148149284, 'void DrawObjSelector__FiP12PlayerStruct(int pnum, struct PlayerStruct *player)')
del_items(2148151340)
set_type(2148151340, 'bool SelectorActive__Fv()')
del_items(2148151352)
set_type(2148151352, 'void DrawObjTask__FP4TASK(struct TASK *T)')
del_items(2148152180)
set_type(2148152180, 'void add_area_find_object__Fiii(int index, int x, int y)')
del_items(2148152292)
set_type(2148152292, 'unsigned char CheckRangeObject__Fiii(int x, int y, int distance)')
del_items(2148153180)
set_type(2148153180, 'unsigned char CheckArea__FiiiUci(int xx, int yy, int range, unsigned char allflag, int pnum)')
del_items(2148154692)
set_type(2148154692, 'void PlacePlayer__FiiiUc(int pnum, int x, int y, unsigned char do_current)')
del_items(2148155068)
set_type(2148155068, 'void _GLOBAL__D_gplayer()')
del_items(2148155108)
set_type(2148155108, 'void _GLOBAL__I_gplayer()')
del_items(2148155148)
set_type(2148155148, 'void SetRGB__6DialogUcUcUc_addr_800A3F0C(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148155180)
set_type(2148155180, 'void SetBack__6Dialogi_addr_800A3F2C(struct Dialog *this, int Type)')
del_items(2148155188)
set_type(2148155188, 'void SetBorder__6Dialogi_addr_800A3F34(struct Dialog *this, int Type)')
del_items(2148155196)
set_type(2148155196, 'void ___6Dialog_addr_800A3F3C(struct Dialog *this, int __in_chrg)')
del_items(2148155236)
set_type(2148155236, 'struct Dialog *__6Dialog_addr_800A3F64(struct Dialog *this)')
del_items(2148155364)
set_type(2148155364, 'bool Active__11SpellTarget(struct SpellTarget *this)')
del_items(2148155376)
set_type(2148155376, 'int GetOverlayOtBase__7CBlocks_addr_800A3FF0()')
del_items(2148155384)
set_type(2148155384, 'unsigned short GetDown__C4CPad_addr_800A3FF8(struct CPad *this)')
del_items(2148155424)
set_type(2148155424, 'unsigned short GetCur__C4CPad_addr_800A4020(struct CPad *this)')
del_items(2148155464)
set_type(2148155464, 'void DEC_AddAsDecRequestor__FP7TextDat(struct TextDat *Td)')
del_items(2148155588)
set_type(2148155588, 'void DEC_RemoveAsDecRequestor__FP7TextDat(struct TextDat *Td)')
del_items(2148155676)
set_type(2148155676, 'void DEC_DoDecompRequests__Fv()')
del_items(2148155768)
set_type(2148155768, 'int FindThisTd__FP7TextDat(struct TextDat *Td)')
del_items(2148155824)
set_type(2148155824, 'int FindEmptyIndex__Fv()')
del_items(2148155880)
set_type(2148155880, 'void MY_TSK_Sleep__Fi(int time)')
del_items(2148155968)
set_type(2148155968, 'void UPDATEPROGRESS__Fi(int inc)')
del_items(2148156172)
set_type(2148156172, 'bool IsGameLoading__Fv()')
del_items(2148156184)
set_type(2148156184, 'void DrawCutScreen__Fi(int lev)')
del_items(2148157268)
set_type(2148157268, 'void PutUpCutScreenTSK__FP4TASK(struct TASK *T)')
del_items(2148157468)
set_type(2148157468, 'void PutUpCutScreen__Fi(int lev)')
del_items(2148157804)
set_type(2148157804, 'void TakeDownCutScreen__Fv()')
del_items(2148157968)
set_type(2148157968, 'void FinishBootProgress__Fv()')
del_items(2148158108)
set_type(2148158108, 'void FinishProgress__Fv()')
del_items(2148158204)
set_type(2148158204, 'void PRIM_GetPrim__FPP7POLY_G4_addr_800A4AFC(struct POLY_G4 **Prim)')
del_items(2148158328)
set_type(2148158328, 'void _GLOBAL__D_CutScr()')
del_items(2148158368)
set_type(2148158368, 'void _GLOBAL__I_CutScr()')
del_items(2148158408)
set_type(2148158408, 'void SetRGB__6DialogUcUcUc_addr_800A4BC8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148158440)
set_type(2148158440, 'void SetBack__6Dialogi_addr_800A4BE8(struct Dialog *this, int Type)')
del_items(2148158448)
set_type(2148158448, 'void SetBorder__6Dialogi_addr_800A4BF0(struct Dialog *this, int Type)')
del_items(2148158456)
set_type(2148158456, 'void ___6Dialog_addr_800A4BF8(struct Dialog *this, int __in_chrg)')
del_items(2148158496)
set_type(2148158496, 'struct Dialog *__6Dialog_addr_800A4C20(struct Dialog *this)')
del_items(2148158624)
set_type(2148158624, 'int GetOverlayOtBase__7CBlocks_addr_800A4CA0()')
del_items(2148158632)
set_type(2148158632, 'void ___7CScreen(struct CScreen *this, int __in_chrg)')
del_items(2148158664)
set_type(2148158664, 'void init_mem_card__FPFii_vUc(void (*handler)(), unsigned char read_dir)')
del_items(2148159232)
set_type(2148159232, 'void memcard_event__Fii(int evt, int side)')
del_items(2148159288)
set_type(2148159288, 'void init_card__Fib(int card_number, bool read_dir)')
del_items(2148159492)
set_type(2148159492, 'int ping_card__Fi(int card_number)')
del_items(2148159640)
set_type(2148159640, 'void DealWithCard__Fi(int side)')
del_items(2148159836)
set_type(2148159836, 'void CardUpdateTask__FP4TASK(struct TASK *T)')
del_items(2148159920)
set_type(2148159920, 'void MemcardON__Fv()')
del_items(2148160028)
set_type(2148160028, 'void MemcardOFF__Fv()')
del_items(2148160084)
set_type(2148160084, 'void CheckSavedOptions__Fv()')
del_items(2148160340)
set_type(2148160340, 'void card_removed__Fi(int card_number)')
del_items(2148160396)
set_type(2148160396, 'int read_card_block__Fii(int card_number, int block)')
del_items(2148160468)
set_type(2148160468, 'int test_hw_event__Fv()')
del_items(2148160596)
set_type(2148160596, 'void ActivateMemcard__Fii(int card1, int card2)')
del_items(2148160656)
set_type(2148160656, 'void ActivateCharacterMemcard__Fii(int card1, int card2)')
del_items(2148160844)
set_type(2148160844, 'void ShowCardActionText__Fv()')
del_items(2148161584)
set_type(2148161584, 'int CountdownLoad__Fi(int Counter)')
del_items(2148162112)
set_type(2148162112, 'int CountdownSave__Fi(int Counter)')
del_items(2148162336)
set_type(2148162336, 'void ShowLoadingBox__Fi(int Text)')
del_items(2148162988)
set_type(2148162988, 'void KillItemDead__Fiii(int pnum, int InvPos, int Idx)')
del_items(2148164592)
set_type(2148164592, 'void DoRemoveSpellItems__Fii(int plrno, int item)')
del_items(2148164904)
set_type(2148164904, 'void ClearLoadCharItems__Fv()')
del_items(2148165064)
set_type(2148165064, 'void PantsDelay__Fv()')
del_items(2148165124)
set_type(2148165124, 'void SetRGB__6DialogUcUcUc_addr_800A6604(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148165156)
set_type(2148165156, 'void SetBack__6Dialogi_addr_800A6624(struct Dialog *this, int Type)')
del_items(2148165164)
set_type(2148165164, 'void SetBorder__6Dialogi_addr_800A662C(struct Dialog *this, int Type)')
del_items(2148165172)
set_type(2148165172, 'void ___6Dialog_addr_800A6634(struct Dialog *this, int __in_chrg)')
del_items(2148165212)
set_type(2148165212, 'struct Dialog *__6Dialog_addr_800A665C(struct Dialog *this)')
del_items(2148165340)
set_type(2148165340, 'int GetOverlayOtBase__7CBlocks_addr_800A66DC()')
del_items(2148165348)
set_type(2148165348, 'void PrintSelectBack__FUs(unsigned short Str)')
del_items(2148165492)
set_type(2148165492, 'void DrawDialogBox__FiiP4RECTiiii(int e, int f, struct RECT *DRect, int X, int Y, int W, int H)')
del_items(2148165720)
set_type(2148165720, 'void DrawSpinner__FiiUcUcUciiibiT8T8Uc(int x, int y, unsigned char SpinR, unsigned char SpinG, int SpinB, int spinradius, int spinbright, int angle, bool Sparkle, int OtPos, bool cross, bool iso, int SinStep)')
del_items(2148167380)
set_type(2148167380, 'void SetLoadedLang__F9LANG_TYPE(enum LANG_TYPE LoadLang)')
del_items(2148167556)
set_type(2148167556, 'void ChangeLang__Fv()')
del_items(2148167752)
set_type(2148167752, 'void DrawLeftRight__Fv()')
del_items(2148167760)
set_type(2148167760, 'void PrintMono__Fi(int ypos)')
del_items(2148167944)
set_type(2148167944, 'void DrawMenu__Fi(int MenuNo)')
del_items(2148172072)
set_type(2148172072, 'int who_pressed__Fi(int pval)')
del_items(2148172208)
set_type(2148172208, 'void CharacterLoadPad__Fv()')
del_items(2148173572)
set_type(2148173572, 'void MemcardPad__Fv()')
del_items(2148175848)
set_type(2148175848, 'void SwitchMONO__Fv()')
del_items(2148175924)
set_type(2148175924, 'void SoundPad__Fv()')
del_items(2148178492)
set_type(2148178492, 'void CentrePad__Fv()')
del_items(2148179072)
set_type(2148179072, 'void CalcVolumes__Fv()')
del_items(2148179420)
set_type(2148179420, 'void SetLoadedVolumes__Fv()')
del_items(2148179596)
set_type(2148179596, 'void GetVolumes__Fv()')
del_items(2148179752)
set_type(2148179752, 'void AlterSpeedMenu__F9GM_SPEEDS(enum GM_SPEEDS gs)')
del_items(2148179836)
set_type(2148179836, 'void GameSpeedPad__Fv()')
del_items(2148180132)
set_type(2148180132, 'void DrawOptions__FP4TASK(struct TASK *T)')
del_items(2148181920)
set_type(2148181920, 'void ToggleOptions__Fv()')
del_items(2148182344)
set_type(2148182344, 'void FormatPad__Fv()')
del_items(2148183016)
set_type(2148183016, 'void SaveOverwritePad__Fv()')
del_items(2148183484)
set_type(2148183484, 'void CharCardSelectMemcardPad__Fv()')
del_items(2148184068)
set_type(2148184068, 'void LAMBO_MovePad__FP4CPad(struct CPad *P)')
del_items(2148184500)
set_type(2148184500, 'void PRIM_GetPrim__FPP7POLY_G4_addr_800AB1B4(struct POLY_G4 **Prim)')
del_items(2148184624)
set_type(2148184624, 'unsigned short GetTick__C4CPad_addr_800AB230(struct CPad *this)')
del_items(2148184664)
set_type(2148184664, 'unsigned short GetDown__C4CPad_addr_800AB258(struct CPad *this)')
del_items(2148184704)
set_type(2148184704, 'unsigned short GetUp__C4CPad_addr_800AB280(struct CPad *this)')
del_items(2148184744)
set_type(2148184744, 'void SetPadTickMask__4CPadUs_addr_800AB2A8(struct CPad *this, unsigned short mask)')
del_items(2148184752)
set_type(2148184752, 'void SetPadTick__4CPadUs_addr_800AB2B0(struct CPad *this, unsigned short tick)')
del_items(2148184760)
set_type(2148184760, 'void SetRGB__6DialogUcUcUc_addr_800AB2B8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148184792)
set_type(2148184792, 'void SetBack__6Dialogi_addr_800AB2D8(struct Dialog *this, int Type)')
del_items(2148184800)
set_type(2148184800, 'void SetBorder__6Dialogi_addr_800AB2E0(struct Dialog *this, int Type)')
del_items(2148184808)
set_type(2148184808, 'void ___6Dialog_addr_800AB2E8(struct Dialog *this, int __in_chrg)')
del_items(2148184848)
set_type(2148184848, 'struct Dialog *__6Dialog_addr_800AB310(struct Dialog *this)')
del_items(2148184976)
set_type(2148184976, 'int GetOverlayOtBase__7CBlocks_addr_800AB390()')
del_items(2148184984)
set_type(2148184984, 'struct FRAME_HDR *GetFr__7TextDati_addr_800AB398(struct TextDat *this, int FrNum)')
del_items(2148185012)
set_type(2148185012, 'void SetBirdFrig__Fb(bool f)')
del_items(2148185064)
set_type(2148185064, 'unsigned char BirdDistanceOK__Fiiii(int WorldXa, int WorldYa, int WorldXb, int WorldYb)')
del_items(2148185152)
set_type(2148185152, 'void AlterBirdPos__FP10BIRDSTRUCTUc(struct BIRDSTRUCT *b, unsigned char rnd)')
del_items(2148185504)
set_type(2148185504, 'void BirdWorld__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int wx, int wy)')
del_items(2148185628)
set_type(2148185628, 'bool CheckDist__Fii(int x, int y)')
del_items(2148185860)
set_type(2148185860, 'int BirdScared__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148186160)
set_type(2148186160, 'int GetPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148186244)
set_type(2148186244, 'void BIRD_StartHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148186724)
set_type(2148186724, 'void BIRD_DoHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148186984)
set_type(2148186984, 'void BIRD_StartPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187092)
set_type(2148187092, 'void BIRD_DoPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187224)
set_type(2148187224, 'void BIRD_DoScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187396)
set_type(2148187396, 'void CheckDirOk__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187668)
set_type(2148187668, 'void BIRD_StartScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187840)
set_type(2148187840, 'void BIRD_StartFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148187980)
set_type(2148187980, 'void BIRD_DoFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148188752)
set_type(2148188752, 'void BIRD_StartLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148188764)
set_type(2148188764, 'void BIRD_DoLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148188872)
set_type(2148188872, 'void PlaceFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)')
del_items(2148189120)
set_type(2148189120, 'void ProcessFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148189360)
set_type(2148189360, 'void InitBird__Fv()')
del_items(2148189576)
set_type(2148189576, 'void ProcessBird__Fv()')
del_items(2148189900)
set_type(2148189900, 'int GetBirdFrame__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)')
del_items(2148190052)
set_type(2148190052, 'void bscale__FP8POLY_FT4i(struct POLY_FT4 *Ft4, int height)')
del_items(2148190356)
set_type(2148190356, 'void doshadow__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int x, int y)')
del_items(2148190652)
set_type(2148190652, 'void DrawLBird__Fv()')
del_items(2148191216)
set_type(2148191216, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800ACBF0(struct POLY_FT4 **Prim)')
del_items(2148191340)
set_type(2148191340, 'int GetOtPos__7CBlocksi_addr_800ACC6C(struct CBlocks *this, int LogicalY)')
del_items(2148191400)
set_type(2148191400, 'short PlayFMV__FPcii(char *str, int w, int h)')
del_items(2148191864)
set_type(2148191864, 'void play_movie(char *pszMovie)')
del_items(2148192064)
set_type(2148192064, 'int GetTpY__FUs_addr_800ACF40(unsigned short tpage)')
del_items(2148192092)
set_type(2148192092, 'int GetTpX__FUs_addr_800ACF5C(unsigned short tpage)')
del_items(2148192104)
set_type(2148192104, 'void LoadKanjiFont__FPc(char *name)')
del_items(2148192276)
set_type(2148192276, 'void FreeKanji__Fv()')
del_items(2148192288)
set_type(2148192288, 'void ClearKanjiCount__Fv()')
del_items(2148192344)
set_type(2148192344, 'void ClearKanjiBuffer__Fv()')
del_items(2148192412)
set_type(2148192412, 'void KANJI_SetCache__F10KANJI_FRMS(enum KANJI_FRMS ct)')
del_items(2148193064)
set_type(2148193064, 'void LoadKanji__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)')
del_items(2148193368)
set_type(2148193368, 'bool SetKanjiLoaded__Fb(bool loaded)')
del_items(2148193384)
set_type(2148193384, 'bool IsKanjiLoaded__Fv()')
del_items(2148193396)
set_type(2148193396, 'void KanjiSetTSK__FP4TASK(struct TASK *T)')
del_items(2148193484)
set_type(2148193484, 'void KANJI_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)')
del_items(2148193604)
set_type(2148193604, 'int inmem__Fs(short k)')
del_items(2148193740)
set_type(2148193740, 'unsigned short getb__FUs(unsigned short n)')
del_items(2148193756)
set_type(2148193756, 'void ShadeBuff__FPUcii(unsigned char *b, int col, int border)')
del_items(2148194180)
set_type(2148194180, 'void Crunch__FPUcT0(unsigned char *s, unsigned char *db)')
del_items(2148194296)
set_type(2148194296, 'void _get_font__FPUcUsT0(unsigned char *d, unsigned short num, unsigned char *abuff)')
del_items(2148194488)
set_type(2148194488, 'int getfreekan__Fv()')
del_items(2148194672)
set_type(2148194672, 'enum KANJI_FRMS GetKanjiCacheFrm__Fv()')
del_items(2148194684)
set_type(2148194684, 'struct POLY_FT4 *GetKanjiFrm__FUs(unsigned short kan)')
del_items(2148195336)
set_type(2148195336, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800ADC08(struct POLY_FT4 **Prim)')
del_items(2148195460)
set_type(2148195460, 'void DumpMonsters__7CBlocks_addr_800ADC84(struct CBlocks *this)')
del_items(2148195500)
set_type(2148195500, 'struct ALL_DECOMP_BUFFERS *GetDecompBuffers__7TextDat(struct TextDat *this)')
del_items(2148195536)
set_type(2148195536, 'struct FRAME_HDR *GetFr__7TextDati_addr_800ADCD0(struct TextDat *this, int FrNum)')
del_items(2148195564)
set_type(2148195564, 'void writeblock__FP5block(struct block *theblock)')
del_items(2148195796)
set_type(2148195796, 'int PAK_DoPak__FPUcPCUci(unsigned char *Dest, unsigned char *buffer, int insize)')
del_items(2148196372)
set_type(2148196372, 'int PAK_DoUnpak__FPUcPCUc(unsigned char *Dest, unsigned char *Source)')
del_items(2148196532)
set_type(2148196532, 'void fputc__5blockUc(struct block *this, unsigned char Val)')
del_items(2148196572)
set_type(2148196572, 'void RemoveHelp__Fv()')
del_items(2148196592)
set_type(2148196592, 'void HelpPad__Fv()')
del_items(2148197272)
set_type(2148197272, 'int GetControlKey__FiPb(int str, bool *iscombo)')
del_items(2148197440)
set_type(2148197440, 'void InitHelp__Fv()')
del_items(2148197516)
set_type(2148197516, 'int DrawHelpLine__FiiPccccP10HelpStruct(int x, int y, char *txt, char R, int G, int B, struct HelpStruct *hp)')
del_items(2148198048)
set_type(2148198048, 'void DisplayHelp__Fv()')
del_items(2148198944)
set_type(2148198944, 'void DrawHelp__Fv()')
del_items(2148199576)
set_type(2148199576, 'void _GLOBAL__D_DrawHelp__Fv()')
del_items(2148199640)
set_type(2148199640, 'void _GLOBAL__I_DrawHelp__Fv()')
del_items(2148199680)
set_type(2148199680, 'void SetRGB__6DialogUcUcUc_addr_800AED00(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148199712)
set_type(2148199712, 'void SetBorder__6Dialogi_addr_800AED20(struct Dialog *this, int Type)')
del_items(2148199720)
set_type(2148199720, 'void ___6Dialog_addr_800AED28(struct Dialog *this, int __in_chrg)')
del_items(2148199760)
set_type(2148199760, 'struct Dialog *__6Dialog_addr_800AED50(struct Dialog *this)')
del_items(2148199888)
set_type(2148199888, 'int GetOverlayOtBase__7CBlocks_addr_800AEDD0()')
del_items(2148199896)
set_type(2148199896, 'unsigned short GetTick__C4CPad_addr_800AEDD8(struct CPad *this)')
del_items(2148199936)
set_type(2148199936, 'unsigned short GetDown__C4CPad_addr_800AEE00(struct CPad *this)')
del_items(2148199976)
set_type(2148199976, 'void SetPadTickMask__4CPadUs_addr_800AEE28(struct CPad *this, unsigned short mask)')
del_items(2148199984)
set_type(2148199984, 'void SetPadTick__4CPadUs_addr_800AEE30(struct CPad *this, unsigned short tick)')
del_items(2148199992)
set_type(2148199992, 'void DisplayMonsterTypes__Fv()')
del_items(2148200000)
set_type(2148200000, 'bool IsAutoTarget__Fi(int Spell)')
del_items(2148200056)
set_type(2148200056, 'int GetXOff__Fii(int wx, int wy)')
del_items(2148200128)
set_type(2148200128, 'int GetYOff__Fii(int wx, int wy)')
del_items(2148200204)
set_type(2148200204, 'void GetScrXY__FPiT0(int *wx, int *wy)')
del_items(2148200412)
set_type(2148200412, 'void ClearTrails__11SpellTarget(struct SpellTarget *this)')
del_items(2148200452)
set_type(2148200452, 'void Init__11SpellTargeti(struct SpellTarget *this, int plrn)')
del_items(2148201064)
set_type(2148201064, 'void Remove__11SpellTarget(struct SpellTarget *this)')
del_items(2148201164)
set_type(2148201164, 'void DrawArrow__11SpellTargetii(struct SpellTarget *this, int x1, int y1)')
del_items(2148201808)
set_type(2148201808, 'void Show__11SpellTarget(struct SpellTarget *this)')
del_items(2148203116)
set_type(2148203116, 'void ForceTarget__11SpellTargetiii(struct SpellTarget *this, int monst, int x, int y)')
del_items(2148203456)
set_type(2148203456, 'bool TargetActive__Fi(int pnum)')
del_items(2148203496)
set_type(2148203496, 'struct SpellTarget *GetSpellTarget__Fi(int pnum)')
del_items(2148203528)
set_type(2148203528, 'void ArrowTask__FP4TASK(struct TASK *T)')
del_items(2148204460)
set_type(2148204460, 'void SPL_Arrow__F6TARGETiii(enum TARGET t, int pnum, int times, int size)')
del_items(2148204588)
set_type(2148204588, 'bool Active__11SpellTarget_addr_800B002C(struct SpellTarget *this)')
del_items(2148204600)
set_type(2148204600, 'int GetOverlayOtBase__7CBlocks_addr_800B0038()')
del_items(2148204608)
set_type(2148204608, 'unsigned short GetCur__C4CPad_addr_800B0040(struct CPad *this)')
del_items(2147680636)
set_type(2147680636, 'unsigned char TrimCol__Fs_addr_8003017C(short col)')
del_items(2147680692)
set_type(2147680692, 'void DrawSpellCel__FllUclUcc(long xp, long yp, unsigned char Trans, long nCel, int w, int sel)')
del_items(2147683640)
set_type(2147683640, 'void SetSpellTrans__Fc(char t)')
del_items(2147683652)
set_type(2147683652, 'void DrawSpellBookTSK__FP4TASK(struct TASK *T)')
del_items(2147683996)
set_type(2147683996, 'void DrawSpeedSpellTSK__FP4TASK(struct TASK *T)')
del_items(2147684300)
set_type(2147684300, 'void ToggleSpell__Fi(int pnum)')
del_items(2147684480)
set_type(2147684480, 'void DrawSpellList__Fv()')
del_items(2147687740)
set_type(2147687740, 'void SetSpell__Fi(int pnum)')
del_items(2147688008)
set_type(2147688008, 'void AddPanelString__FPCci(char *str, int just)')
del_items(2147688200)
set_type(2147688200, 'void ClearPanel__Fv()')
del_items(2147688248)
set_type(2147688248, 'void InitPanelStr__Fv()')
del_items(2147688280)
set_type(2147688280, 'void InitControlPan__Fv()')
del_items(2147688836)
set_type(2147688836, 'void DrawCtrlPan__Fv()')
del_items(2147688880)
set_type(2147688880, 'void DoAutoMap__Fv()')
del_items(2147688976)
set_type(2147688976, 'void CheckPanelInfo__Fv()')
del_items(2147690800)
set_type(2147690800, 'void FreeControlPan__Fv()')
del_items(2147691072)
set_type(2147691072, 'int CPrintString__FiPci(int No, char *pszStr, int Just)')
del_items(2147691356)
set_type(2147691356, 'void PrintInfo__Fv()')
del_items(2147692428)
set_type(2147692428, 'void DrawInfoBox__FP4RECT(struct RECT *InfoRect)')
del_items(2147694272)
set_type(2147694272, 'void MY_PlrStringXY__Fv()')
del_items(2147696080)
set_type(2147696080, 'void ADD_PlrStringXY__FPCcc(char *pszStr, char col)')
del_items(2147696248)
set_type(2147696248, 'void DrawPlus__Fii(int n, int pnum)')
del_items(2147696656)
set_type(2147696656, 'void ChrCheckValidButton__Fi(int move)')
del_items(2147697436)
set_type(2147697436, 'void DrawArrows__Fv()')
del_items(2147697692)
set_type(2147697692, 'void BuildChr__Fv()')
del_items(2147702400)
set_type(2147702400, 'void DrawChr__Fv()')
del_items(2147703600)
set_type(2147703600, 'void DrawChrTSK__FP4TASK(struct TASK *T)')
del_items(2147703872)
set_type(2147703872, 'void DrawLevelUpIcon__Fi(int pnum)')
del_items(2147704020)
set_type(2147704020, 'void CheckChrBtns__Fv()')
del_items(2147704924)
set_type(2147704924, 'int DrawDurIcon4Item__FPC10ItemStructii(struct ItemStruct *pItem, int x, int c)')
del_items(2147705056)
set_type(2147705056, 'void RedBack__Fv()')
del_items(2147705304)
set_type(2147705304, 'void PrintSBookStr__FiiiPCcUcUc(int x, int y, int cspel, char *pszStr, int bright, int Staff)')
del_items(2147705952)
set_type(2147705952, 'char GetSBookTrans__FiUc(int ii, unsigned char townok)')
del_items(2147706560)
set_type(2147706560, 'void DrawSpellBook__Fb(bool DrawBg)')
del_items(2147709488)
set_type(2147709488, 'void CheckSBook__Fv()')
del_items(2147710156)
set_type(2147710156, 'char *get_pieces_str__Fi(int nGold)')
del_items(2147710208)
set_type(2147710208, 'void _GLOBAL__D_DrawLevelUpFlag()')
del_items(2147710248)
set_type(2147710248, 'void _GLOBAL__I_DrawLevelUpFlag()')
del_items(2147710308)
set_type(2147710308, 'unsigned short GetTick__C4CPad_addr_80037564(struct CPad *this)')
del_items(2147710348)
set_type(2147710348, 'unsigned short GetDown__C4CPad_addr_8003758C(struct CPad *this)')
del_items(2147710388)
set_type(2147710388, 'void SetPadTickMask__4CPadUs_addr_800375B4(struct CPad *this, unsigned short mask)')
del_items(2147710396)
set_type(2147710396, 'void SetPadTick__4CPadUs_addr_800375BC(struct CPad *this, unsigned short tick)')
del_items(2147710404)
set_type(2147710404, 'void SetRGB__6DialogUcUcUc_addr_800375C4(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2147710436)
set_type(2147710436, 'void SetBack__6Dialogi_addr_800375E4(struct Dialog *this, int Type)')
del_items(2147710444)
set_type(2147710444, 'void SetBorder__6Dialogi_addr_800375EC(struct Dialog *this, int Type)')
del_items(2147710452)
set_type(2147710452, 'void ___6Dialog_addr_800375F4(struct Dialog *this, int __in_chrg)')
del_items(2147710492)
set_type(2147710492, 'struct Dialog *__6Dialog_addr_8003761C(struct Dialog *this)')
del_items(2147710620)
set_type(2147710620, 'int GetOverlayOtBase__7CBlocks_addr_8003769C()')
del_items(2147710628)
set_type(2147710628, 'int GetMaxOtPos__7CBlocks_addr_800376A4()')
del_items(2147710636)
set_type(2147710636, 'struct PAL *GetPal__7TextDati_addr_800376AC(struct TextDat *this, int PalNum)')
del_items(2147710664)
set_type(2147710664, 'struct FRAME_HDR *GetFr__7TextDati_addr_800376C8(struct TextDat *this, int FrNum)')
del_items(2147710692)
set_type(2147710692, 'void InitCursor__Fv()')
del_items(2147710700)
set_type(2147710700, 'void FreeCursor__Fv()')
del_items(2147710708)
set_type(2147710708, 'void SetICursor__Fi(int i)')
del_items(2147710800)
set_type(2147710800, 'void SetCursor__Fi(int i)')
del_items(2147710900)
set_type(2147710900, 'void NewCursor__Fi(int i)')
del_items(2147710932)
set_type(2147710932, 'void InitLevelCursor__Fv()')
del_items(2147711028)
set_type(2147711028, 'void CheckTown__Fv()')
del_items(2147711680)
set_type(2147711680, 'void CheckRportal__Fv()')
del_items(2147712288)
set_type(2147712288, 'void CheckCursMove__Fv()')
del_items(2147712296)
set_type(2147712296, 'void InitDead__Fv()')
del_items(2147712812)
set_type(2147712812, 'void AddDead__Fiici(int dx, int dy, char dv, int ddir)')
del_items(2147712844)
set_type(2147712844, 'void FreeGameMem__Fv()')
del_items(2147712900)
set_type(2147712900, 'void start_game__FUi(unsigned int uMsg)')
del_items(2147713140)
set_type(2147713140, 'void free_game__Fv()')
del_items(2147713256)
set_type(2147713256, 'void LittleStart__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)')
del_items(2147713452)
set_type(2147713452, 'unsigned char StartGame__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)')
del_items(2147713964)
set_type(2147713964, 'void run_game_loop__FUi(unsigned int uMsg)')
del_items(2147714324)
set_type(2147714324, 'unsigned char TryIconCurs__Fv()')
del_items(2147715124)
set_type(2147715124, 'unsigned long DisableInputWndProc__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)')
del_items(2147715132)
set_type(2147715132, 'unsigned long GM_Game__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)')
del_items(2147715280)
set_type(2147715280, 'void LoadLvlGFX__Fv()')
del_items(2147715464)
set_type(2147715464, 'void LoadMegaTiles__FPCc(char *LoadFile)')
del_items(2147715608)
set_type(2147715608, 'void LoadAllGFX__Fv()')
del_items(2147715640)
set_type(2147715640, 'void CreateLevel__Fi(int lvldir)')
del_items(2147715888)
set_type(2147715888, 'void LoCreateLevel__FPv()')
del_items(2147716244)
set_type(2147716244, 'void ClearOutDungeonMap__Fv()')
del_items(2147716756)
set_type(2147716756, 'void AddQuestItems__Fv()')
del_items(2147716916)
set_type(2147716916, 'void AllSolid__Fii(int x, int y)')
del_items(2147716980)
set_type(2147716980, 'void FillCrapBits__Fv()')
del_items(2147717396)
set_type(2147717396, 'void Lsaveplrpos__Fv()')
del_items(2147717568)
set_type(2147717568, 'void Lrestoreplrpos__Fv()')
del_items(2147717648)
set_type(2147717648, 'void LoadGameLevel__FUci(unsigned char firstflag, int lvldir)')
del_items(2147720008)
set_type(2147720008, 'void SetSpeed__F9GM_SPEEDS(enum GM_SPEEDS Speed)')
del_items(2147720028)
set_type(2147720028, 'enum GM_SPEEDS GetSpeed__Fv()')
del_items(2147720040)
set_type(2147720040, 'void game_logic__Fv()')
del_items(2147720528)
set_type(2147720528, 'void timeout_cursor__FUc(unsigned char bTimeout)')
del_items(2147720696)
set_type(2147720696, 'void game_loop__FUc(unsigned char bStartup)')
del_items(2147720792)
set_type(2147720792, 'void alloc_plr__Fv()')
del_items(2147720800)
set_type(2147720800, 'void plr_encrypt__FUc(unsigned char bEncrypt)')
del_items(2147720808)
set_type(2147720808, 'void assert_fail__FiPCcT1(int nLineNo, char *pszFile, char *pszFail)')
del_items(2147720840)
set_type(2147720840, 'void assert_fail__FiPCc(int nLineNo, char *pszFile)')
del_items(2147720872)
set_type(2147720872, 'void app_fatal(char *pszFile)')
del_items(2147720920)
set_type(2147720920, 'void DoMemCardFromFrontEnd__Fv()')
del_items(2147720960)
set_type(2147720960, 'void DoMemCardFromInGame__Fv()')
del_items(2147721000)
set_type(2147721000, 'int GetActiveTowner__Fi(int t)')
del_items(2147721084)
set_type(2147721084, 'void SetTownerGPtrs__FPUcPPUc(unsigned char *pData, unsigned char **pAnim)')
del_items(2147721116)
set_type(2147721116, 'void NewTownerAnim__FiPUcii(int tnum, unsigned char *pAnim, int numFrames, int Delay)')
del_items(2147721196)
set_type(2147721196, 'void InitTownerInfo__FilUciiici(int i, long w, unsigned char sel, int t, int x, int y, int ao, int tp)')
del_items(2147721540)
set_type(2147721540, 'void InitQstSnds__Fi(int i)')
del_items(2147721732)
set_type(2147721732, 'void InitSmith__Fv()')
del_items(2147722036)
set_type(2147722036, 'void InitBarOwner__Fv()')
del_items(2147722348)
set_type(2147722348, 'void InitTownDead__Fv()')
del_items(2147722656)
set_type(2147722656, 'void InitWitch__Fv()')
del_items(2147722964)
set_type(2147722964, 'void InitBarmaid__Fv()')
del_items(2147723272)
set_type(2147723272, 'void InitBoy__Fv()')
del_items(2147723588)
set_type(2147723588, 'void InitHealer__Fv()')
del_items(2147723896)
set_type(2147723896, 'void InitTeller__Fv()')
del_items(2147724204)
set_type(2147724204, 'void InitDrunk__Fv()')
del_items(2147724512)
set_type(2147724512, 'void InitCows__Fv()')
del_items(2147725180)
set_type(2147725180, 'void InitTowners__Fv()')
del_items(2147725320)
set_type(2147725320, 'void FreeTownerGFX__Fv()')
del_items(2147725484)
set_type(2147725484, 'void TownCtrlMsg__Fi(int i)')
del_items(2147725716)
set_type(2147725716, 'void TownBlackSmith__Fv()')
del_items(2147725856)
set_type(2147725856, 'void TownBarOwner__Fv()')
del_items(2147726012)
set_type(2147726012, 'void TownDead__Fv()')
del_items(2147726244)
set_type(2147726244, 'void TownHealer__Fv()')
del_items(2147726284)
set_type(2147726284, 'void TownStory__Fv()')
del_items(2147726324)
set_type(2147726324, 'void TownDrunk__Fv()')
del_items(2147726364)
set_type(2147726364, 'void TownBoy__Fv()')
del_items(2147726404)
set_type(2147726404, 'void TownWitch__Fv()')
del_items(2147726444)
set_type(2147726444, 'void TownBarMaid__Fv()')
del_items(2147726484)
set_type(2147726484, 'void TownCow__Fv()')
del_items(2147726524)
set_type(2147726524, 'void ProcessTowners__Fv()')
del_items(2147727116)
set_type(2147727116, 'struct ItemStruct *PlrHasItem__FiiRi(int pnum, int item, int *i)')
del_items(2147727328)
set_type(2147727328, 'void CowSFX__Fi(int pnum)')
del_items(2147727612)
set_type(2147727612, 'void TownerTalk__Fii(int first, int t)')
del_items(2147727676)
set_type(2147727676, 'void TalkToTowner__Fii(int p, int t)')
del_items(2147733188)
set_type(2147733188, 'unsigned char effect_is_playing__Fi(int nSFX)')
del_items(2147733228)
set_type(2147733228, 'void stream_stop__Fv()')
del_items(2147733320)
set_type(2147733320, 'void stream_pause__Fv()')
del_items(2147733420)
set_type(2147733420, 'void stream_resume__Fv()')
del_items(2147733500)
set_type(2147733500, 'void stream_play__FP4TSFXll(struct TSFX *pSFX, long lVolume, long lPan)')
del_items(2147733736)
set_type(2147733736, 'void stream_update__Fv()')
del_items(2147733744)
set_type(2147733744, 'void sfx_stop__Fv()')
del_items(2147733772)
set_type(2147733772, 'void InitMonsterSND__Fi(int monst)')
del_items(2147733860)
set_type(2147733860, 'void FreeMonsterSnd__Fv()')
del_items(2147733868)
set_type(2147733868, 'unsigned char calc_snd_position__FiiPlT2(int x, int y, long *plVolume, long *plPan)')
del_items(2147734356)
set_type(2147734356, 'void PlaySFX_priv__FP4TSFXUcii(struct TSFX *pSFX, unsigned char loc, int x, int y)')
del_items(2147734712)
set_type(2147734712, 'void PlayEffect__Fii(int i, int mode)')
del_items(2147735044)
set_type(2147735044, 'int RndSFX__Fi(int psfx)')
del_items(2147735212)
set_type(2147735212, 'void PlaySFX__Fi(int psfx)')
del_items(2147735320)
set_type(2147735320, 'void PlaySfxLoc__Fiii(int psfx, int x, int y)')
del_items(2147735492)
set_type(2147735492, 'void sound_stop__Fv()')
del_items(2147735644)
set_type(2147735644, 'void sound_update__Fv()')
del_items(2147735696)
set_type(2147735696, 'void priv_sound_init__FUc(unsigned char bLoadMask)')
del_items(2147735764)
set_type(2147735764, 'void sound_init__Fv()')
del_items(2147735932)
set_type(2147735932, 'void stream_fade__Fv()')
del_items(2147735996)
set_type(2147735996, 'int GetDirection__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147736160)
set_type(2147736160, 'void SetRndSeed__Fl(long s)')
del_items(2147736176)
set_type(2147736176, 'long GetRndSeed__Fv()')
del_items(2147736248)
set_type(2147736248, 'long random__Fil(int idx, long v)')
del_items(2147736356)
set_type(2147736356, 'unsigned char *DiabloAllocPtr__FUl(unsigned long dwBytes)')
del_items(2147736432)
set_type(2147736432, 'void mem_free_dbg__FPv(void *p)')
del_items(2147736512)
set_type(2147736512, 'unsigned char *LoadFileInMem__FPCcPUl(char *pszName, unsigned long *pdwFileLen)')
del_items(2147736520)
set_type(2147736520, 'void PlayInGameMovie__FPCc(char *pszMovie)')
del_items(2147736528)
set_type(2147736528, 'void Enter__9CCritSect(struct CCritSect *this)')
del_items(2147736536)
set_type(2147736536, 'void InitDiabloMsg__Fc(char e)')
del_items(2147736684)
set_type(2147736684, 'void ClrDiabloMsg__Fv()')
del_items(2147736728)
set_type(2147736728, 'void DrawDiabloMsg__Fv()')
del_items(2147737036)
set_type(2147737036, 'void interface_msg_pump__Fv()')
del_items(2147737044)
set_type(2147737044, 'void ShowProgress__FUi(unsigned int uMsg)')
del_items(2147738024)
set_type(2147738024, 'void InitAllItemsUseable__Fv()')
del_items(2147738080)
set_type(2147738080, 'void InitItemGFX__Fv()')
del_items(2147738124)
set_type(2147738124, 'unsigned char ItemPlace__Fii(int xp, int yp)')
del_items(2147738280)
set_type(2147738280, 'void AddInitItems__Fv()')
del_items(2147738820)
set_type(2147738820, 'void InitItems__Fb(bool re_init)')
del_items(2147739260)
set_type(2147739260, 'void CalcPlrItemVals__FiUc(int p, unsigned char Loadgfx)')
del_items(2147741940)
set_type(2147741940, 'void CalcPlrScrolls__Fi(int p)')
del_items(2147742836)
set_type(2147742836, 'void CalcPlrStaff__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147743024)
set_type(2147743024, 'void CalcSelfItems__Fi(int pnum)')
del_items(2147743376)
set_type(2147743376, 'unsigned char ItemMinStats__FPC12PlayerStructPC10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)')
del_items(2147743452)
set_type(2147743452, 'void SetItemMinStats__FPC12PlayerStructP10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)')
del_items(2147743496)
set_type(2147743496, 'void CalcPlrItemMin__Fi(int pnum)')
del_items(2147743720)
set_type(2147743720, 'void CalcPlrBookVals__Fi(int p)')
del_items(2147744460)
set_type(2147744460, 'void CalcPlrInv__FiUc(int p, unsigned char Loadgfx)')
del_items(2147744636)
set_type(2147744636, 'void SetPlrHandItem__FP10ItemStructi(struct ItemStruct *h, int idata)')
del_items(2147744916)
set_type(2147744916, 'void GetPlrHandSeed__FP10ItemStruct(struct ItemStruct *h)')
del_items(2147744960)
set_type(2147744960, 'void GetGoldSeed__FiP10ItemStruct(int pnum, struct ItemStruct *h)')
del_items(2147745320)
set_type(2147745320, 'void SetPlrHandSeed__FP10ItemStructi(struct ItemStruct *h, int iseed)')
del_items(2147745328)
set_type(2147745328, 'void SetPlrHandGoldCurs__FP10ItemStruct(struct ItemStruct *h)')
del_items(2147745376)
set_type(2147745376, 'void CreatePlrItems__Fi(int p)')
del_items(2147746752)
set_type(2147746752, 'unsigned char ItemSpaceOk__Fii(int i, int j)')
del_items(2147747392)
set_type(2147747392, 'unsigned char GetItemSpace__Fiic(int x, int y, char inum)')
del_items(2147747932)
set_type(2147747932, 'void GetSuperItemSpace__Fiic(int x, int y, char inum)')
del_items(2147748276)
set_type(2147748276, 'void GetSuperItemLoc__FiiRiT2(int x, int y, int *xx, int *yy)')
del_items(2147748476)
set_type(2147748476, 'void CalcItemValue__Fi(int i)')
del_items(2147748660)
set_type(2147748660, 'void GetBookSpell__Fii(int i, int lvl)')
del_items(2147749272)
set_type(2147749272, 'void GetStaffPower__FiiiUc(int i, int lvl, int bs, unsigned char onlygood)')
del_items(2147749768)
set_type(2147749768, 'void GetStaffSpell__FiiUc(int i, int lvl, unsigned char onlygood)')
del_items(2147750500)
set_type(2147750500, 'void GetItemAttrs__Fiii(int i, int idata, int lvl)')
del_items(2147751952)
set_type(2147751952, 'int RndPL__Fii(int param1, int param2)')
del_items(2147752008)
set_type(2147752008, 'int PLVal__Fiiiii(int pv, int p1, int p2, int minv, int maxv)')
del_items(2147752124)
set_type(2147752124, 'void SaveItemPower__Fiiiiiii(int i, int power, int param1, int param2, int minval, int maxval, int multval)')
del_items(2147758060)
set_type(2147758060, 'void GetItemPower__FiiilUc(int i, int minlvl, int maxlvl, long flgs, int onlygood)')
del_items(2147759188)
set_type(2147759188, 'void GetItemBonus__FiiiiUc(int i, int idata, int minlvl, int maxlvl, int onlygood)')
del_items(2147759440)
set_type(2147759440, 'void SetupItem__Fi(int i)')
del_items(2147759744)
set_type(2147759744, 'int RndItem__Fi(int m)')
del_items(2147760320)
set_type(2147760320, 'int RndUItem__Fi(int m)')
del_items(2147760900)
set_type(2147760900, 'int RndAllItems__Fv()')
del_items(2147761260)
set_type(2147761260, 'int RndTypeItems__Fii(int itype, int imid)')
del_items(2147761628)
set_type(2147761628, 'int CheckUnique__FiiiUc(int i, int lvl, int uper, unsigned char recreate)')
del_items(2147762060)
set_type(2147762060, 'void GetUniqueItem__Fii(int i, int uid)')
del_items(2147762756)
set_type(2147762756, 'void SpawnUnique__Fiii(int uid, int x, int y)')
del_items(2147763076)
set_type(2147763076, 'void ItemRndDur__Fi(int ii)')
del_items(2147763232)
set_type(2147763232, 'void SetupAllItems__FiiiiiUcUcUc(int ii, int idx, int iseed, int lvl, int uper, int onlygood, int recreate, int pregen)')
del_items(2147764072)
set_type(2147764072, 'void SpawnItem__FiiiUc(int m, int x, int y, unsigned char sendmsg)')
del_items(2147764672)
set_type(2147764672, 'void CreateItem__Fiii(int uid, int x, int y)')
del_items(2147765020)
set_type(2147765020, 'void CreateRndItem__FiiUcUcUc(int x, int y, unsigned char onlygood, unsigned char sendmsg, int delta)')
del_items(2147765348)
set_type(2147765348, 'void SetupAllUseful__Fiii(int ii, int iseed, int lvl)')
del_items(2147765584)
set_type(2147765584, 'void CreateRndUseful__FiiiUc(int pnum, int x, int y, unsigned char sendmsg)')
del_items(2147765776)
set_type(2147765776, 'void CreateTypeItem__FiiUciiUcUc(int x, int y, unsigned char onlygood, int itype, int imisc, int sendmsg, int delta)')
del_items(2147766100)
set_type(2147766100, 'void RecreateEar__FiUsiUciiiiii(int ii, unsigned short ic, int iseed, unsigned char Id, int dur, int mdur, int ch, int mch, int ivalue, int ibuff)')
del_items(2147766612)
set_type(2147766612, 'void SpawnQuestItem__Fiiiii(int itemid, int x, int y, int randarea, int selflag)')
del_items(2147767208)
set_type(2147767208, 'void SpawnRock__Fv()')
del_items(2147767636)
set_type(2147767636, 'void RespawnItem__FiUc(int i, unsigned char FlipFlag)')
del_items(2147768076)
set_type(2147768076, 'void DeleteItem__Fii(int ii, int i)')
del_items(2147768160)
set_type(2147768160, 'void ItemDoppel__Fv()')
del_items(2147768352)
set_type(2147768352, 'void ProcessItems__Fv()')
del_items(2147769028)
set_type(2147769028, 'void FreeItemGFX__Fv()')
del_items(2147769036)
set_type(2147769036, 'void GetItemStr__Fi(int i)')
del_items(2147769460)
set_type(2147769460, 'void CheckIdentify__Fii(int pnum, int cii)')
del_items(2147769712)
set_type(2147769712, 'void RepairItem__FP10ItemStructi(struct ItemStruct *i, int lvl)')
del_items(2147769956)
set_type(2147769956, 'void DoRepair__Fii(int pnum, int cii)')
del_items(2147770152)
set_type(2147770152, 'void RechargeItem__FP10ItemStructi(struct ItemStruct *i, int r)')
del_items(2147770256)
set_type(2147770256, 'void DoRecharge__Fii(int pnum, int cii)')
del_items(2147770548)
set_type(2147770548, 'void PrintItemOil__Fc(char IDidx)')
del_items(2147770800)
set_type(2147770800, 'void PrintItemPower__FcPC10ItemStruct(char plidx, struct ItemStruct *x)')
del_items(2147772500)
set_type(2147772500, 'void PrintItemMisc__FPC10ItemStruct(struct ItemStruct *x)')
del_items(2147773108)
set_type(2147773108, 'void PrintItemDetails__FPC10ItemStruct(struct ItemStruct *x)')
del_items(2147774232)
set_type(2147774232, 'void PrintItemDur__FPC10ItemStruct(struct ItemStruct *x)')
del_items(2147775108)
set_type(2147775108, 'void CastScroll__Fii(int pnum, int Spell)')
del_items(2147775700)
set_type(2147775700, 'void UseItem__Fiii(int p, int Mid, int spl)')
del_items(2147777264)
set_type(2147777264, 'unsigned char StoreStatOk__FP10ItemStruct(struct ItemStruct *h)')
del_items(2147777412)
set_type(2147777412, 'unsigned char PremiumItemOk__Fi(int i)')
del_items(2147777536)
set_type(2147777536, 'int RndPremiumItem__Fii(int minlvl, int maxlvl)')
del_items(2147777800)
set_type(2147777800, 'void SpawnOnePremium__Fii(int i, int plvl)')
del_items(2147778556)
set_type(2147778556, 'void SpawnPremium__Fi(int lvl)')
del_items(2147779484)
set_type(2147779484, 'void WitchBookLevel__Fi(int ii)')
del_items(2147779960)
set_type(2147779960, 'void SpawnStoreGold__Fv()')
del_items(2147780168)
set_type(2147780168, 'void RecalcStoreStats__Fv()')
del_items(2147780908)
set_type(2147780908, 'int ItemNoFlippy__Fv()')
del_items(2147781008)
set_type(2147781008, 'void CreateSpellBook__FiiiUcUc(int x, int y, int ispell, unsigned char sendmsg, int delta)')
del_items(2147781408)
set_type(2147781408, 'void CreateMagicArmor__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)')
del_items(2147781788)
set_type(2147781788, 'void CreateMagicWeapon__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)')
del_items(2147782168)
set_type(2147782168, 'void DrawUniqueInfo__Fv()')
del_items(2147782536)
set_type(2147782536, 'char *MakeItemStr__FP10ItemStructUsUs(struct ItemStruct *ItemPtr, unsigned short ItemNo, unsigned short MaxLen)')
del_items(2147783672)
set_type(2147783672, 'unsigned char SmithItemOk__Fi(int i)')
del_items(2147783772)
set_type(2147783772, 'int RndSmithItem__Fi(int lvl)')
del_items(2147784040)
set_type(2147784040, 'unsigned char WitchItemOk__Fi(int i)')
del_items(2147784184)
set_type(2147784184, 'int RndWitchItem__Fi(int lvl)')
del_items(2147784616)
set_type(2147784616, 'void BubbleSwapItem__FP10ItemStructT0(struct ItemStruct *a, struct ItemStruct *b)')
del_items(2147784880)
set_type(2147784880, 'void SortWitch__Fv()')
del_items(2147785280)
set_type(2147785280, 'int RndBoyItem__Fi(int lvl)')
del_items(2147785572)
set_type(2147785572, 'unsigned char HealerItemOk__Fi(int i)')
del_items(2147786008)
set_type(2147786008, 'int RndHealerItem__Fi(int lvl)')
del_items(2147786264)
set_type(2147786264, 'void RecreatePremiumItem__Fiiii(int ii, int idx, int plvl, int iseed)')
del_items(2147786484)
set_type(2147786484, 'void RecreateWitchItem__Fiiii(int ii, int idx, int lvl, int iseed)')
del_items(2147786848)
set_type(2147786848, 'void RecreateSmithItem__Fiiii(int ii, int idx, int lvl, int iseed)')
del_items(2147787024)
set_type(2147787024, 'void RecreateHealerItem__Fiiii(int ii, int idx, int lvl, int iseed)')
del_items(2147787236)
set_type(2147787236, 'void RecreateBoyItem__Fiiii(int ii, int idx, int lvl, int iseed)')
del_items(2147787452)
set_type(2147787452, 'void RecreateTownItem__FiiUsii(int ii, int idx, unsigned short icreateinfo, int iseed, int ivalue)')
del_items(2147787592)
set_type(2147787592, 'void SpawnSmith__Fi(int lvl)')
del_items(2147788408)
set_type(2147788408, 'void SpawnWitch__Fi(int lvl)')
del_items(2147789936)
set_type(2147789936, 'void SpawnHealer__Fi(int lvl)')
del_items(2147791380)
set_type(2147791380, 'void SpawnBoy__Fi(int lvl)')
del_items(2147792152)
set_type(2147792152, 'void SortSmith__Fv()')
del_items(2147792540)
set_type(2147792540, 'void SortHealer__Fv()')
del_items(2147792940)
set_type(2147792940, 'void RecreateItem__FiiUsiii(int ii, int idx, unsigned short icreateinfo, int iseed, int ivalue, int PlrCreate)')
del_items(2147793520)
set_type(2147793520, 'int veclen2__Fii(int ix, int iy)')
del_items(2147793624)
set_type(2147793624, 'void set_light_bands__Fv()')
del_items(2147793736)
set_type(2147793736, 'void SetLightFX__FiisssUcUcUc(int x, int y, short s_r, short s_g, int s_b, int d_r, int d_g, int d_b)')
del_items(2147793844)
set_type(2147793844, 'void SetWeirdFX__Fv()')
del_items(2147793960)
set_type(2147793960, 'void DoLighting__Fiiii(int nXPos, int nYPos, int nRadius, int Lnum)')
del_items(2147797244)
set_type(2147797244, 'void DoUnLight__Fv()')
del_items(2147797824)
set_type(2147797824, 'void DoUnVision__Fiiii(int nXPos, int nYPos, int nRadius, int num)')
del_items(2147798088)
set_type(2147798088, 'void DoVision__FiiiUcUc(int nXPos, int nYPos, int nRadius, unsigned char doautomap, int visible)')
del_items(2147799152)
set_type(2147799152, 'void FreeLightTable__Fv()')
del_items(2147799160)
set_type(2147799160, 'void InitLightTable__Fv()')
del_items(2147799168)
set_type(2147799168, 'void MakeLightTable__Fv()')
del_items(2147799176)
set_type(2147799176, 'void InitLightMax__Fv()')
del_items(2147799212)
set_type(2147799212, 'void InitLighting__Fv()')
del_items(2147799280)
set_type(2147799280, 'int AddLight__Fiii(int x, int y, int r)')
del_items(2147799368)
set_type(2147799368, 'void AddUnLight__Fi(int i)')
del_items(2147799404)
set_type(2147799404, 'void ChangeLightRadius__Fii(int i, int r)')
del_items(2147799436)
set_type(2147799436, 'void ChangeLightXY__Fiii(int i, int x, int y)')
del_items(2147799480)
set_type(2147799480, 'void light_fix__Fi(int i)')
del_items(2147799488)
set_type(2147799488, 'void ChangeLightOff__Fiii(int i, int x, int y)')
del_items(2147799528)
set_type(2147799528, 'void ChangeLight__Fiiii(int i, int x, int y, int r)')
del_items(2147799572)
set_type(2147799572, 'void ChangeLightColour__Fii(int i, int c)')
del_items(2147799612)
set_type(2147799612, 'void ProcessLightList__Fv()')
del_items(2147799892)
set_type(2147799892, 'void SavePreLighting__Fv()')
del_items(2147799900)
set_type(2147799900, 'void InitVision__Fv()')
del_items(2147799984)
set_type(2147799984, 'int AddVision__FiiiUc(int x, int y, int r, unsigned char mine)')
del_items(2147800100)
set_type(2147800100, 'void ChangeVisionRadius__Fii(int id, int r)')
del_items(2147800280)
set_type(2147800280, 'void ChangeVisionXY__Fiii(int id, int x, int y)')
del_items(2147800412)
set_type(2147800412, 'void ProcessVisionList__Fv()')
del_items(2147800932)
set_type(2147800932, 'void FreeQuestText__Fv()')
del_items(2147800940)
set_type(2147800940, 'void InitQuestText__Fv()')
del_items(2147800952)
set_type(2147800952, 'void CalcTextSpeed__FPCc(char *Name)')
del_items(2147801396)
set_type(2147801396, 'void FadeMusicTSK__FP4TASK(struct TASK *T)')
del_items(2147801728)
set_type(2147801728, 'void InitQTextMsg__Fi(int m)')
del_items(2147802324)
set_type(2147802324, 'void DrawQTextBack__Fv()')
del_items(2147802736)
set_type(2147802736, 'void DrawQTextTSK__FP4TASK(struct TASK *T)')
del_items(2147803480)
set_type(2147803480, 'int KANJI_strlen__FPc(char *str)')
del_items(2147803544)
set_type(2147803544, 'void DrawQText__Fv()')
del_items(2147804996)
set_type(2147804996, 'void _GLOBAL__D_QBack()')
del_items(2147805036)
set_type(2147805036, 'void _GLOBAL__I_QBack()')
del_items(2147805076)
set_type(2147805076, 'void SetRGB__6DialogUcUcUc_addr_8004E794(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2147805108)
set_type(2147805108, 'void SetBorder__6Dialogi_addr_8004E7B4(struct Dialog *this, int Type)')
del_items(2147805116)
set_type(2147805116, 'void ___6Dialog_addr_8004E7BC(struct Dialog *this, int __in_chrg)')
del_items(2147805156)
set_type(2147805156, 'struct Dialog *__6Dialog_addr_8004E7E4(struct Dialog *this)')
del_items(2147805284)
set_type(2147805284, 'int GetOverlayOtBase__7CBlocks_addr_8004E864()')
del_items(2147805292)
set_type(2147805292, 'unsigned short GetDown__C4CPad_addr_8004E86C(struct CPad *this)')
del_items(2147805332)
set_type(2147805332, 'void nullmissile__Fiiiiiicii(int mi, int sx, int sy, int dx, int dy, int midir, int mienemy, int id, int dam)')
del_items(2147805340)
set_type(2147805340, 'void FuncNULL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147805348)
set_type(2147805348, 'void delta_init__Fv()')
del_items(2147805436)
set_type(2147805436, 'void delta_kill_monster__FiUcUcUc(int mi, unsigned char x, unsigned char y, unsigned char bLevel)')
del_items(2147805588)
set_type(2147805588, 'void delta_monster_hp__FilUc(int mi, long hp, unsigned char bLevel)')
del_items(2147805712)
set_type(2147805712, 'void delta_leave_sync__FUc(unsigned char bLevel)')
del_items(2147806520)
set_type(2147806520, 'void delta_sync_object__FiUcUc(int oi, unsigned char bCmd, unsigned char bLevel)')
del_items(2147806616)
set_type(2147806616, 'unsigned char delta_get_item__FPC9TCmdGItemUc(struct TCmdGItem *pI, unsigned char bLevel)')
del_items(2147807076)
set_type(2147807076, 'void delta_put_item__FPC9TCmdPItemiiUc(struct TCmdPItem *pI, int x, int y, unsigned char bLevel)')
del_items(2147807472)
set_type(2147807472, 'unsigned char delta_portal_inited__Fi(int i)')
del_items(2147807508)
set_type(2147807508, 'unsigned char delta_quest_inited__Fi(int i)')
del_items(2147807544)
set_type(2147807544, 'void DeltaAddItem__Fi(int ii)')
del_items(2147808096)
set_type(2147808096, 'int DeltaExportData__FPc(char *Dst)')
del_items(2147808140)
set_type(2147808140, 'int DeltaImportData__FPc(char *Src)')
del_items(2147808212)
set_type(2147808212, 'void DeltaSaveLevel__Fv()')
del_items(2147808464)
set_type(2147808464, 'void NetSendCmd__FUcUc(unsigned char bHiPri, unsigned char bCmd)')
del_items(2147808504)
set_type(2147808504, 'void NetSendCmdGolem__FUcUcUcUclUc(unsigned char mx, unsigned char my, unsigned char dir, unsigned char menemy, long hp, int cl)')
del_items(2147808580)
set_type(2147808580, 'void NetSendCmdLoc__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)')
del_items(2147808628)
set_type(2147808628, 'void NetSendCmdLocParam1__FUcUcUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1)')
del_items(2147808684)
set_type(2147808684, 'void NetSendCmdLocParam2__FUcUcUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2)')
del_items(2147808748)
set_type(2147808748, 'void NetSendCmdLocParam3__FUcUcUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2, int wParam3)')
del_items(2147808820)
set_type(2147808820, 'void NetSendCmdParam1__FUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1)')
del_items(2147808864)
set_type(2147808864, 'void NetSendCmdParam2__FUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2)')
del_items(2147808912)
set_type(2147808912, 'void NetSendCmdParam3__FUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2, int wParam3)')
del_items(2147808968)
set_type(2147808968, 'void NetSendCmdQuest__FUcUc(unsigned char bHiPri, unsigned char q)')
del_items(2147809084)
set_type(2147809084, 'void NetSendCmdGItem__FUcUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char mast, unsigned char pnum, int ii)')
del_items(2147809412)
set_type(2147809412, 'void NetSendCmdGItem2__FUcUcUcUcPC9TCmdGItem(unsigned char usonly, unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)')
del_items(2147809544)
set_type(2147809544, 'unsigned char NetSendCmdReq2__FUcUcUcPC9TCmdGItem(unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)')
del_items(2147809640)
set_type(2147809640, 'void NetSendCmdExtra__FPC9TCmdGItem(struct TCmdGItem *p)')
del_items(2147809752)
set_type(2147809752, 'void NetSendCmdPItem__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)')
del_items(2147810036)
set_type(2147810036, 'void NetSendCmdChItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)')
del_items(2147810200)
set_type(2147810200, 'void NetSendCmdDelItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)')
del_items(2147810248)
set_type(2147810248, 'void NetSendCmdDItem__FUci(unsigned char bHiPri, int ii)')
del_items(2147810544)
set_type(2147810544, 'unsigned char i_own_level__Fi(int nReqLevel)')
del_items(2147810552)
set_type(2147810552, 'void NetSendCmdDamage__FUcUcUl(unsigned char bHiPri, unsigned char bPlr, unsigned long dwDam)')
del_items(2147810604)
set_type(2147810604, 'void delta_close_portal__Fi(int pnum)')
del_items(2147810668)
set_type(2147810668, 'void check_update_plr__Fi(int pnum)')
del_items(2147810676)
set_type(2147810676, 'void On_WALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147810804)
set_type(2147810804, 'void On_ADDSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147810852)
set_type(2147810852, 'void On_ADDMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147810900)
set_type(2147810900, 'void On_ADDDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147810948)
set_type(2147810948, 'void On_ADDVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147810996)
set_type(2147810996, 'void On_SBSPELL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147811112)
set_type(2147811112, 'void On_GOTOGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147811248)
set_type(2147811248, 'void On_REQUESTGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147811568)
set_type(2147811568, 'void On_GETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147812036)
set_type(2147812036, 'void On_GOTOAGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147812172)
set_type(2147812172, 'void On_REQUESTAGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147812480)
set_type(2147812480, 'void On_AGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147812940)
set_type(2147812940, 'void On_ITEMEXTRA__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147813016)
set_type(2147813016, 'void On_PUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147813208)
set_type(2147813208, 'void On_SYNCPUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147813468)
set_type(2147813468, 'void On_RESPAWNITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147813752)
set_type(2147813752, 'void On_SATTACKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147813892)
set_type(2147813892, 'void On_SPELLXYD__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147814124)
set_type(2147814124, 'void On_SPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147814340)
set_type(2147814340, 'void On_TSPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147814560)
set_type(2147814560, 'void On_OPOBJXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147814784)
set_type(2147814784, 'void On_DISARMXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815008)
set_type(2147815008, 'void On_OPOBJT__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815084)
set_type(2147815084, 'void On_ATTACKID__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815400)
set_type(2147815400, 'void On_SPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815600)
set_type(2147815600, 'void On_SPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815792)
set_type(2147815792, 'void On_TSPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147815988)
set_type(2147815988, 'void On_TSPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816184)
set_type(2147816184, 'void On_KNOCKBACK__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816372)
set_type(2147816372, 'void On_RESURRECT__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816428)
set_type(2147816428, 'void On_HEALOTHER__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816468)
set_type(2147816468, 'void On_TALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816604)
set_type(2147816604, 'void On_NEWLVL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816652)
set_type(2147816652, 'void On_WARP__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147816928)
set_type(2147816928, 'void On_MONSTDEATH__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147817108)
set_type(2147817108, 'void On_KILLGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147817216)
set_type(2147817216, 'void On_AWAKEGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147817496)
set_type(2147817496, 'void On_MONSTDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147817736)
set_type(2147817736, 'void On_PLRDEAD__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147817808)
set_type(2147817808, 'void On_PLRDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818084)
set_type(2147818084, 'void On_OPENDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818208)
set_type(2147818208, 'void On_CLOSEDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818332)
set_type(2147818332, 'void On_OPERATEOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818456)
set_type(2147818456, 'void On_PLROPOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818580)
set_type(2147818580, 'void On_BREAKOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818700)
set_type(2147818700, 'void On_CHANGEPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818708)
set_type(2147818708, 'void On_DELPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818716)
set_type(2147818716, 'void On_PLRLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818724)
set_type(2147818724, 'void On_DROPITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147818812)
set_type(2147818812, 'void On_PLAYER_JOINLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819332)
set_type(2147819332, 'void On_ACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819400)
set_type(2147819400, 'void On_DEACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819496)
set_type(2147819496, 'void On_RETOWN__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819552)
set_type(2147819552, 'void On_SETSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819616)
set_type(2147819616, 'void On_SETDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819680)
set_type(2147819680, 'void On_SETMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819744)
set_type(2147819744, 'void On_SETVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819808)
set_type(2147819808, 'void On_SYNCQUEST__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147819880)
set_type(2147819880, 'void On_ENDSHIELD__FPC4TCmdi(struct TCmd *pCmd, int pnum)')
del_items(2147820088)
set_type(2147820088, 'unsigned long ParseCmd__FiPC4TCmd(int pnum, struct TCmd *pCmd)')
del_items(2147821144)
set_type(2147821144, 'struct DLevel *GetDLevel__Fib(int LevNum, bool SetLevel)')
del_items(2147821216)
set_type(2147821216, 'void ReleaseDLevel__FP6DLevel(struct DLevel *Dl)')
del_items(2147821260)
set_type(2147821260, 'void MSG_ClearOutCompMap__Fv()')
del_items(2147821300)
set_type(2147821300, 'void _GLOBAL__D_deltaload()')
del_items(2147821340)
set_type(2147821340, 'void _GLOBAL__I_deltaload()')
del_items(2147821436)
set_type(2147821436, 'struct CrunchComp *__10CrunchComp(struct CrunchComp *this)')
del_items(2147821492)
set_type(2147821492, 'struct PakComp *__7PakComp(struct PakComp *this)')
del_items(2147821548)
set_type(2147821548, 'struct NoComp *__6NoComp(struct NoComp *this)')
del_items(2147821604)
set_type(2147821604, 'int GetSize__14CompressedLevs(struct CompressedLevs *this)')
del_items(2147821664)
set_type(2147821664, 'struct CompClass *__9CompClass(struct CompClass *this)')
del_items(2147821684)
set_type(2147821684, 'void DoDecomp__C10CrunchCompPUcPCUcii(struct CrunchComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)')
del_items(2147821724)
set_type(2147821724, 'int DoComp__C10CrunchCompPUcPCUci(struct CrunchComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)')
del_items(2147821764)
set_type(2147821764, 'void DoDecomp__C7PakCompPUcPCUcii(struct PakComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)')
del_items(2147821800)
set_type(2147821800, 'int DoComp__C7PakCompPUcPCUci(struct PakComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)')
del_items(2147821840)
set_type(2147821840, 'void DoDecomp__C6NoCompPUcPCUcii(struct NoComp *this, unsigned char *Dest, unsigned char *Src, int DstLen, int SrcLen)')
del_items(2147821884)
set_type(2147821884, 'int DoComp__C6NoCompPUcPCUci(struct NoComp *this, unsigned char *Dest, unsigned char *Src, int SrcLen)')
del_items(2147821940)
set_type(2147821940, 'void NetSendLoPri__FPCUcUc(unsigned char *pbMsg, unsigned char bLen)')
del_items(2147821984)
set_type(2147821984, 'int InitLevelType__Fi(int l)')
del_items(2147822060)
set_type(2147822060, 'void SetupLocalCoords__Fv()')
del_items(2147822412)
set_type(2147822412, 'void InitNewSeed__Fl(long newseed)')
del_items(2147822528)
set_type(2147822528, 'unsigned char NetInit__FUcPUc(unsigned char bSinglePlayer, unsigned char *pfExitProgram)')
del_items(2147823184)
set_type(2147823184, 'void PostAddL1Door__Fiiii(int i, int x, int y, int ot)')
del_items(2147823416)
set_type(2147823416, 'void PostAddL2Door__Fiiii(int i, int x, int y, int ot)')
del_items(2147823748)
set_type(2147823748, 'void PostAddArmorStand__Fi(int i)')
del_items(2147823884)
set_type(2147823884, 'void PostAddObjLight__Fii(int i, int r)')
del_items(2147824080)
set_type(2147824080, 'void PostAddWeaponRack__Fi(int i)')
del_items(2147824216)
set_type(2147824216, 'void PostObjObjAddSwitch__Fiiii(int ot, int ox, int oy, int oi)')
del_items(2147824372)
set_type(2147824372, 'void InitObjectGFX__Fv()')
del_items(2147824912)
set_type(2147824912, 'void FreeObjectGFX__Fv()')
del_items(2147824924)
set_type(2147824924, 'void DeleteObject__Fii(int oi, int i)')
del_items(2147825088)
set_type(2147825088, 'void SetupObject__Fiiii(int i, int x, int y, int ot)')
del_items(2147825732)
set_type(2147825732, 'void SetObjMapRange__Fiiiiii(int i, int x1, int y1, int x2, int y2, int v)')
del_items(2147825828)
set_type(2147825828, 'void SetBookMsg__Fii(int i, int msg)')
del_items(2147825868)
set_type(2147825868, 'void AddObject__Fiii(int ot, int ox, int oy)')
del_items(2147826140)
set_type(2147826140, 'void PostAddObject__Fiii(int ot, int ox, int oy)')
del_items(2147827268)
set_type(2147827268, 'void Obj_Light__Fii(int i, int lr)')
del_items(2147827812)
set_type(2147827812, 'void Obj_Circle__Fi(int i)')
del_items(2147828648)
set_type(2147828648, 'void Obj_StopAnim__Fi(int i)')
del_items(2147828748)
set_type(2147828748, 'void DrawExpl__Fiiiiiccc(int sx, int sy, int f, int ot, int scale, int rtint, int gtint, int btint)')
del_items(2147829508)
set_type(2147829508, 'void DrawObjExpl__FP12ObjectStructiii(struct ObjectStruct *obj, int ScrX, int ScrY, int ot)')
del_items(2147829620)
set_type(2147829620, 'void Obj_Door__Fi(int i)')
del_items(2147829988)
set_type(2147829988, 'void Obj_Sarc__Fi(int i)')
del_items(2147830064)
set_type(2147830064, 'void ActivateTrapLine__Fii(int ttype, int tid)')
del_items(2147830336)
set_type(2147830336, 'void Obj_FlameTrap__Fi(int i)')
del_items(2147831076)
set_type(2147831076, 'void Obj_Trap__Fi(int i)')
del_items(2147831912)
set_type(2147831912, 'void Obj_BCrossDamage__Fi(int i)')
del_items(2147832496)
set_type(2147832496, 'void ProcessObjects__Fv()')
del_items(2147833128)
set_type(2147833128, 'void ObjSetMicro__Fiii(int dx, int dy, int pn)')
del_items(2147833496)
set_type(2147833496, 'void ObjSetMini__Fiii(int x, int y, int v)')
del_items(2147833728)
set_type(2147833728, 'void ObjL1Special__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147833736)
set_type(2147833736, 'void ObjL2Special__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147833744)
set_type(2147833744, 'void DoorSet__Fiii(int oi, int dx, int dy)')
del_items(2147834356)
set_type(2147834356, 'void RedoPlayerVision__Fv()')
del_items(2147834520)
set_type(2147834520, 'void OperateL1RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147835384)
set_type(2147835384, 'void OperateL1LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147836304)
set_type(2147836304, 'void OperateL2RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147837180)
set_type(2147837180, 'void OperateL2LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147838056)
set_type(2147838056, 'void OperateL3RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147838788)
set_type(2147838788, 'void OperateL3LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)')
del_items(2147839520)
set_type(2147839520, 'void MonstCheckDoors__Fi(int m)')
del_items(2147840756)
set_type(2147840756, 'void PostAddL1Objs__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147841020)
set_type(2147841020, 'void PostAddL2Objs__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147841272)
set_type(2147841272, 'void ObjChangeMap__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147841712)
set_type(2147841712, 'void DRLG_MRectTrans__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147841868)
set_type(2147841868, 'void ObjChangeMapResync__Fiiii(int x1, int y1, int x2, int y2)')
del_items(2147842244)
set_type(2147842244, 'void OperateL1Door__FiiUc(int pnum, int i, unsigned char sendflag)')
del_items(2147842592)
set_type(2147842592, 'void OperateLever__Fii(int pnum, int i)')
del_items(2147843076)
set_type(2147843076, 'void OperateBook__Fii(int pnum, int i)')
del_items(2147844796)
set_type(2147844796, 'void OperateBookLever__Fii(int pnum, int i)')
del_items(2147845932)
set_type(2147845932, 'void OperateSChambBk__Fii(int pnum, int i)')
del_items(2147846504)
set_type(2147846504, 'void OperateChest__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147847464)
set_type(2147847464, 'void OperateMushPatch__Fii(int pnum, int i)')
del_items(2147847964)
set_type(2147847964, 'void OperateInnSignChest__Fii(int pnum, int i)')
del_items(2147848400)
set_type(2147848400, 'void OperateSlainHero__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147848992)
set_type(2147848992, 'void OperateTrapLvr__Fi(int i)')
del_items(2147849456)
set_type(2147849456, 'void OperateSarc__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147849896)
set_type(2147849896, 'void OperateL2Door__FiiUc(int pnum, int i, unsigned char sendflag)')
del_items(2147850244)
set_type(2147850244, 'void OperateL3Door__FiiUc(int pnum, int i, unsigned char sendflag)')
del_items(2147850592)
set_type(2147850592, 'void LoadMapObjs__FPUcii(unsigned char *pMap, int startx, int starty)')
del_items(2147850856)
set_type(2147850856, 'void OperatePedistal__Fii(int pnum, int i)')
del_items(2147852160)
set_type(2147852160, 'void TryDisarm__Fii(int pnum, int i)')
del_items(2147852596)
set_type(2147852596, 'int ItemMiscIdIdx__Fi(int imiscid)')
del_items(2147852708)
set_type(2147852708, 'void OperateShrine__Fiii(int pnum, int i, int sType)')
del_items(2147861912)
set_type(2147861912, 'void OperateSkelBook__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147862292)
set_type(2147862292, 'void OperateBookCase__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147862828)
set_type(2147862828, 'void OperateDecap__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147863060)
set_type(2147863060, 'void OperateArmorStand__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147863428)
set_type(2147863428, 'int FindValidShrine__Fi(int i)')
del_items(2147863668)
set_type(2147863668, 'void OperateGoatShrine__Fiii(int pnum, int i, int sType)')
del_items(2147863836)
set_type(2147863836, 'void OperateCauldron__Fiii(int pnum, int i, int sType)')
del_items(2147864000)
set_type(2147864000, 'unsigned char OperateFountains__Fii(int pnum, int i)')
del_items(2147865452)
set_type(2147865452, 'void OperateWeaponRack__FiiUc(int pnum, int i, unsigned char sendmsg)')
del_items(2147865880)
set_type(2147865880, 'void OperateStoryBook__Fii(int pnum, int i)')
del_items(2147866124)
set_type(2147866124, 'void OperateLazStand__Fii(int pnum, int i)')
del_items(2147866436)
set_type(2147866436, 'void OperateObject__FiiUc(int pnum, int i, unsigned char TeleFlag)')
del_items(2147867516)
set_type(2147867516, 'void SyncOpL1Door__Fiii(int pnum, int cmd, int i)')
del_items(2147867792)
set_type(2147867792, 'void SyncOpL2Door__Fiii(int pnum, int cmd, int i)')
del_items(2147868068)
set_type(2147868068, 'void SyncOpL3Door__Fiii(int pnum, int cmd, int i)')
del_items(2147868344)
set_type(2147868344, 'void SyncOpObject__Fiii(int pnum, int cmd, int i)')
del_items(2147868872)
set_type(2147868872, 'void BreakCrux__Fii(int pnum, int i)')
del_items(2147869436)
set_type(2147869436, 'void BreakBarrel__FiiiUcUc(int pnum, int i, int dam, unsigned char forcebreak, int sendmsg)')
del_items(2147870804)
set_type(2147870804, 'void BreakObject__Fii(int pnum, int oi)')
del_items(2147871160)
set_type(2147871160, 'void SyncBreakObj__Fii(int pnum, int oi)')
del_items(2147871284)
set_type(2147871284, 'void SyncL1Doors__Fi(int i)')
del_items(2147871564)
set_type(2147871564, 'void SyncCrux__Fi(int i)')
del_items(2147871876)
set_type(2147871876, 'void SyncLever__Fi(int i)')
del_items(2147872008)
set_type(2147872008, 'void SyncQSTLever__Fi(int i)')
del_items(2147872256)
set_type(2147872256, 'void SyncPedistal__Fi(int i)')
del_items(2147872264)
set_type(2147872264, 'void SyncL2Doors__Fi(int i)')
del_items(2147872624)
set_type(2147872624, 'void SyncL3Doors__Fi(int i)')
del_items(2147872924)
set_type(2147872924, 'void SyncObjectAnim__Fi(int o)')
del_items(2147873244)
set_type(2147873244, 'void GetObjectStr__Fi(int i)')
del_items(2147874456)
set_type(2147874456, 'void AddLamp__Fiii(int x, int y, int r)')
del_items(2147874520)
set_type(2147874520, 'void RestoreObjectLight__Fv()')
del_items(2147874980)
set_type(2147874980, 'int GetOtPos__7CBlocksi_addr_8005F8A4(struct CBlocks *this, int LogicalY)')
del_items(2147875040)
set_type(2147875040, 'int GetNumOfFrames__7TextDatii_addr_8005F8E0(struct TextDat *this, int Creature, int Action)')
del_items(2147875096)
set_type(2147875096, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8005F918(struct TextDat *this, int Creature)')
del_items(2147875124)
set_type(2147875124, 'unsigned char game_2_ui_class__FPC12PlayerStruct(struct PlayerStruct *p)')
del_items(2147875168)
set_type(2147875168, 'void game_2_ui_player__FPC12PlayerStructP11_uiheroinfoUc(struct PlayerStruct *p, struct _uiheroinfo *heroinfo, unsigned char bHasSaveFile)')
del_items(2147875348)
set_type(2147875348, 'void SetupLocalPlayer__Fv()')
del_items(2147875364)
set_type(2147875364, 'unsigned char IsDplayer__Fii(int x, int y)')
del_items(2147875504)
set_type(2147875504, 'bool ismyplr__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147875572)
set_type(2147875572, 'int plrind__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147875592)
set_type(2147875592, 'void InitPlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147875624)
set_type(2147875624, 'void FreePlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147875632)
set_type(2147875632, 'void NewPlrAnim__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int Peq, int numFrames, int Delay)')
del_items(2147875660)
set_type(2147875660, 'void ClearPlrPVars__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147875688)
set_type(2147875688, 'void SetPlrAnims__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147876260)
set_type(2147876260, 'void CreatePlayer__FP12PlayerStructc(struct PlayerStruct *ptrplr, char c)')
del_items(2147877292)
set_type(2147877292, 'int CalcStatDiff__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147877396)
set_type(2147877396, 'void NextPlrLevel__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147877776)
set_type(2147877776, 'void AddPlrExperience__FP12PlayerStructil(struct PlayerStruct *ptrplr, int lvl, long exp)')
del_items(2147878324)
set_type(2147878324, 'void AddPlrMonstExper__Filc(int lvl, long exp, char pmask)')
del_items(2147878456)
set_type(2147878456, 'void InitPlayer__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char FirstTime)')
del_items(2147879264)
set_type(2147879264, 'void InitMultiView__Fv()')
del_items(2147879272)
set_type(2147879272, 'unsigned char SolidLoc__Fii(int x, int y)')
del_items(2147879304)
set_type(2147879304, 'void PlrClrTrans__Fii(int x, int y)')
del_items(2147879424)
set_type(2147879424, 'void PlrDoTrans__Fii(int x, int y)')
del_items(2147879704)
set_type(2147879704, 'void SetPlayerOld__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147879724)
set_type(2147879724, 'void StartStand__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)')
del_items(2147879864)
set_type(2147879864, 'void StartWalkStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147879964)
set_type(2147879964, 'void PM_ChangeLightOff__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147880020)
set_type(2147880020, 'void PM_ChangeOffset__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147880064)
set_type(2147880064, 'void StartAttack__FP12PlayerStructi(struct PlayerStruct *ptrplr, int d)')
del_items(2147880388)
set_type(2147880388, 'void StartPlrBlock__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)')
del_items(2147880540)
set_type(2147880540, 'void StartSpell__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int d, int cx, int cy)')
del_items(2147880976)
set_type(2147880976, 'void RemovePlrFromMap__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147880984)
set_type(2147880984, 'void StartPlrHit__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int dam, unsigned char forcehit)')
del_items(2147881316)
set_type(2147881316, 'void RespawnDeadItem__FP10ItemStructii(struct ItemStruct *itm, int x, int y)')
del_items(2147881720)
set_type(2147881720, 'void PlrDeadItem__FP12PlayerStructP10ItemStructii(struct PlayerStruct *ptrplr, struct ItemStruct *itm, int xx, int yy)')
del_items(2147882184)
set_type(2147882184, 'void StartPlayerDropItems__FP12PlayerStructi(struct PlayerStruct *ptrplr, int EarFlag)')
del_items(2147882280)
set_type(2147882280, 'void TryDropPlayerItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147882596)
set_type(2147882596, 'void StartPlayerKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)')
del_items(2147883104)
set_type(2147883104, 'void DropHalfPlayersGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147883376)
set_type(2147883376, 'void StartPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)')
del_items(2147883708)
set_type(2147883708, 'void SyncPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)')
del_items(2147883740)
set_type(2147883740, 'void RemovePlrMissiles__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147884504)
set_type(2147884504, 'void InitLevelChange__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147884680)
set_type(2147884680, 'void CheckPlrDead__Fi(int pnum)')
del_items(2147884764)
set_type(2147884764, 'void StartNewLvl__FP12PlayerStructii(struct PlayerStruct *ptrplr, int fom, int lvl)')
del_items(2147885200)
set_type(2147885200, 'void RestartTownLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147885368)
set_type(2147885368, 'void StartWarpLvl__FP12PlayerStructi(struct PlayerStruct *ptrplr, int pidx)')
del_items(2147885648)
set_type(2147885648, 'int PM_DoStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147885656)
set_type(2147885656, 'unsigned char ChkPlrOffsets__Fiiii(int wx1, int wy1, int wx2, int wy2)')
del_items(2147885832)
set_type(2147885832, 'int PM_DoWalk__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147886360)
set_type(2147886360, 'unsigned char WeaponDur__FP12PlayerStructi(struct PlayerStruct *ptrplr, int durrnd)')
del_items(2147886812)
set_type(2147886812, 'unsigned char PlrHitMonst__FP12PlayerStructi(struct PlayerStruct *ptrplr, int m)')
del_items(2147888448)
set_type(2147888448, 'unsigned char PlrHitPlr__FP12PlayerStructc(struct PlayerStruct *ptrplr, char p)')
del_items(2147889400)
set_type(2147889400, 'unsigned char PlrHitObj__FP12PlayerStructii(struct PlayerStruct *ptrplr, int mx, int my)')
del_items(2147889528)
set_type(2147889528, 'int PM_DoAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147890444)
set_type(2147890444, 'int PM_DoRangeAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147890700)
set_type(2147890700, 'void ShieldDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147890912)
set_type(2147890912, 'int PM_DoBlock__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147891072)
set_type(2147891072, 'void do_spell_anim__FiiiP12PlayerStruct(int aframe, int spell, int clss, struct PlayerStruct *ptrplr)')
del_items(2147892320)
set_type(2147892320, 'int PM_DoSpell__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147893292)
set_type(2147893292, 'void ArmorDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147893560)
set_type(2147893560, 'int PM_DoGotHit__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147893708)
set_type(2147893708, 'int PM_DoDeath__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147894196)
set_type(2147894196, 'int PM_DoNewLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147894204)
set_type(2147894204, 'void CheckNewPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147895420)
set_type(2147895420, 'unsigned char PlrDeathModeOK__Fi(int p)')
del_items(2147895524)
set_type(2147895524, 'void ValidatePlayer__Fv()')
del_items(2147896800)
set_type(2147896800, 'void CheckCheatStats__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147896956)
set_type(2147896956, 'void ProcessPlayers__Fv()')
del_items(2147897696)
set_type(2147897696, 'void ClrPlrPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147897736)
set_type(2147897736, 'unsigned char PosOkPlayer__FP12PlayerStructii(struct PlayerStruct *ptrplr, int px, int py)')
del_items(2147898208)
set_type(2147898208, 'void MakePlrPath__FP12PlayerStructiiUc(struct PlayerStruct *ptrplr, int xx, int yy, unsigned char endspace)')
del_items(2147898216)
set_type(2147898216, 'void CheckPlrSpell__Fv()')
del_items(2147899336)
set_type(2147899336, 'void SyncInitPlrPos__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147899568)
set_type(2147899568, 'void SyncInitPlr__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147899616)
set_type(2147899616, 'void CheckStats__Fi(int p)')
del_items(2147900084)
set_type(2147900084, 'void ModifyPlrStr__Fii(int p, int l)')
del_items(2147900368)
set_type(2147900368, 'void ModifyPlrMag__Fii(int p, int l)')
del_items(2147900604)
set_type(2147900604, 'void ModifyPlrDex__Fii(int p, int l)')
del_items(2147900832)
set_type(2147900832, 'void ModifyPlrVit__Fii(int p, int l)')
del_items(2147901052)
set_type(2147901052, 'void SetPlayerHitPoints__FP12PlayerStructi(struct PlayerStruct *ptrplr, int newhp)')
del_items(2147901120)
set_type(2147901120, 'void SetPlrStr__Fii(int p, int v)')
del_items(2147901340)
set_type(2147901340, 'void SetPlrMag__Fii(int p, int v)')
del_items(2147901452)
set_type(2147901452, 'void SetPlrDex__Fii(int p, int v)')
del_items(2147901672)
set_type(2147901672, 'void SetPlrVit__Fii(int p, int v)')
del_items(2147901780)
set_type(2147901780, 'void InitDungMsgs__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147901788)
set_type(2147901788, 'void PlayDungMsgs__Fv()')
del_items(2147902604)
set_type(2147902604, 'void CreatePlrItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147902644)
set_type(2147902644, 'void WorldToOffset__FP12PlayerStructii(struct PlayerStruct *ptrplr, int x, int y)')
del_items(2147902712)
set_type(2147902712, 'void SetSpdbarGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)')
del_items(2147902764)
set_type(2147902764, 'int GetSpellLevel__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)')
del_items(2147902816)
set_type(2147902816, 'void BreakObject__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)')
del_items(2147902868)
set_type(2147902868, 'void CalcPlrInv__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char bl)')
del_items(2147902920)
set_type(2147902920, 'void RemoveSpdBarItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)')
del_items(2147902972)
set_type(2147902972, 'void M_StartKill__FiP12PlayerStruct(int m, struct PlayerStruct *ptrplr)')
del_items(2147903028)
set_type(2147903028, 'void SetGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)')
del_items(2147903080)
set_type(2147903080, 'void HealStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903120)
set_type(2147903120, 'void HealotherStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903160)
set_type(2147903160, 'int CalculateGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903200)
set_type(2147903200, 'void M_StartHit__FiP12PlayerStructi(int m, struct PlayerStruct *ptrplr, int dam)')
del_items(2147903272)
set_type(2147903272, 'void TeleStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903312)
set_type(2147903312, 'void PhaseStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903352)
set_type(2147903352, 'void RemoveInvItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)')
del_items(2147903404)
set_type(2147903404, 'void PhaseEnd__FP12PlayerStruct(struct PlayerStruct *ptrplr)')
del_items(2147903444)
set_type(2147903444, 'void OperateObject__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int oi, unsigned char bl)')
del_items(2147903512)
set_type(2147903512, 'void TryDisarm__FP12PlayerStructi(struct PlayerStruct *ptrplr, int oi)')
del_items(2147903564)
set_type(2147903564, 'void TalkToTowner__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)')
del_items(2147903616)
set_type(2147903616, 'unsigned char PosOkPlayer__Fiii(int pnum, int x, int y)')
del_items(2147903692)
set_type(2147903692, 'int CalcStatDiff__Fi(int pnum)')
del_items(2147903768)
set_type(2147903768, 'void StartNewLvl__Fiii(int pnum, int fom, int lvl)')
del_items(2147903844)
set_type(2147903844, 'void CreatePlayer__Fic(int pnum, char c)')
del_items(2147903928)
set_type(2147903928, 'void StartStand__Fii(int pnum, int dir)')
del_items(2147904004)
set_type(2147904004, 'void SetPlayerHitPoints__Fii(int pnum, int val)')
del_items(2147904080)
set_type(2147904080, 'void MakePlrPath__FiiiUc(int pnum, int xx, int yy, unsigned char endspace)')
del_items(2147904160)
set_type(2147904160, 'void StartWarpLvl__Fii(int pnum, int pidx)')
del_items(2147904236)
set_type(2147904236, 'void SyncPlrKill__Fii(int pnum, int earflag)')
del_items(2147904312)
set_type(2147904312, 'void StartPlrKill__Fii(int pnum, int val)')
del_items(2147904388)
set_type(2147904388, 'void NewPlrAnim__Fiiii(int pnum, int Peq, int numFrames, int Delay)')
del_items(2147904464)
set_type(2147904464, 'void AddPlrExperience__Fiil(int pnum, int lvl, long exp)')
del_items(2147904540)
set_type(2147904540, 'void StartPlrBlock__Fii(int pnum, int dir)')
del_items(2147904616)
set_type(2147904616, 'void StartPlrHit__FiiUc(int pnum, int dam, unsigned char forcehit)')
del_items(2147904696)
set_type(2147904696, 'void StartSpell__Fiiii(int pnum, int d, int cx, int cy)')
del_items(2147904772)
set_type(2147904772, 'void InitPlayer__FiUc(int pnum, unsigned char FirstTime)')
del_items(2147904852)
set_type(2147904852, 'void PM_ChangeLightOff__Fi(int pnum)')
del_items(2147904928)
set_type(2147904928, 'void CheckNewPath__Fi(int pnum)')
del_items(2147905004)
set_type(2147905004, 'void FreePlayerGFX__Fi(int pnum)')
del_items(2147905080)
set_type(2147905080, 'void InitDungMsgs__Fi(int pnum)')
del_items(2147905156)
set_type(2147905156, 'void InitPlayerGFX__Fi(int pnum)')
del_items(2147905232)
set_type(2147905232, 'void SyncInitPlrPos__Fi(int pnum)')
del_items(2147905308)
set_type(2147905308, 'void SetPlrAnims__Fi(int pnum)')
del_items(2147905384)
set_type(2147905384, 'void ClrPlrPath__Fi(int pnum)')
del_items(2147905460)
set_type(2147905460, 'void SyncInitPlr__Fi(int pnum)')
del_items(2147905536)
set_type(2147905536, 'void RestartTownLvl__Fi(int pnum)')
del_items(2147905612)
set_type(2147905612, 'void SetPlayerOld__Fi(int pnum)')
del_items(2147905688)
set_type(2147905688, 'void GetGoldSeed__FP12PlayerStructP10ItemStruct(struct PlayerStruct *ptrplr, struct ItemStruct *h)')
del_items(2147905740)
set_type(2147905740, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800670CC(struct POLY_FT4 **Prim)')
del_items(2147905864)
set_type(2147905864, 'bool Active__11SpellTarget_addr_80067148(struct SpellTarget *this)')
del_items(2147905876)
set_type(2147905876, 'struct CPlayer *GetPlayer__7CPlayeri_addr_80067154(int PNum)')
del_items(2147905956)
set_type(2147905956, 'int GetLastOtPos__C7CPlayer_addr_800671A4(struct CPlayer *this)')
del_items(2147905968)
set_type(2147905968, 'int GetLastScrY__C7CPlayer(struct CPlayer *this)')
del_items(2147905980)
set_type(2147905980, 'int GetLastScrX__C7CPlayer(struct CPlayer *this)')
del_items(2147905992)
set_type(2147905992, 'void CheckRPortalOK__FPiT0(int *rx, int *ry)')
del_items(2147906056)
set_type(2147906056, 'void CheckQuests__Fv()')
del_items(2147907296)
set_type(2147907296, 'unsigned char ForceQuests__Fv()')
del_items(2147907716)
set_type(2147907716, 'unsigned char QuestStatus__Fi(int i)')
del_items(2147907864)
set_type(2147907864, 'void CheckQuestKill__FiUc(int m, unsigned char sendmsg)')
del_items(2147909344)
set_type(2147909344, 'void SetReturnLvlPos__Fv()')
del_items(2147909616)
set_type(2147909616, 'void GetReturnLvlPos__Fv()')
del_items(2147909700)
set_type(2147909700, 'void ResyncQuests__Fv()')
del_items(2147910960)
set_type(2147910960, 'void PrintQLString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)')
del_items(2147911556)
set_type(2147911556, 'void DrawQuestLog__Fv()')
del_items(2147912060)
set_type(2147912060, 'void DrawQuestLogTSK__FP4TASK(struct TASK *T)')
del_items(2147912276)
set_type(2147912276, 'void StartQuestlog__Fv()')
del_items(2147912584)
set_type(2147912584, 'void QuestlogUp__Fv()')
del_items(2147912736)
set_type(2147912736, 'void QuestlogDown__Fv()')
del_items(2147912916)
set_type(2147912916, 'void RemoveQLog__Fv()')
del_items(2147913100)
set_type(2147913100, 'void QuestlogEnter__Fv()')
del_items(2147913304)
set_type(2147913304, 'void QuestlogESC__Fv()')
del_items(2147913344)
set_type(2147913344, 'void SetMultiQuest__FiiUci(int q, int s, unsigned char l, int v1)')
del_items(2147913472)
set_type(2147913472, 'void _GLOBAL__D_questlog()')
del_items(2147913512)
set_type(2147913512, 'void _GLOBAL__I_questlog()')
del_items(2147913552)
set_type(2147913552, 'void SetRGB__6DialogUcUcUc_addr_80068F50(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2147913584)
set_type(2147913584, 'void SetBack__6Dialogi_addr_80068F70(struct Dialog *this, int Type)')
del_items(2147913592)
set_type(2147913592, 'void SetBorder__6Dialogi_addr_80068F78(struct Dialog *this, int Type)')
del_items(2147913600)
set_type(2147913600, 'void ___6Dialog_addr_80068F80(struct Dialog *this, int __in_chrg)')
del_items(2147913640)
set_type(2147913640, 'struct Dialog *__6Dialog_addr_80068FA8(struct Dialog *this)')
del_items(2147913768)
set_type(2147913768, 'int GetOverlayOtBase__7CBlocks_addr_80069028()')
del_items(2147913776)
set_type(2147913776, 'void DrawView__Fii(int StartX, int StartY)')
del_items(2147914212)
set_type(2147914212, 'void DrawAndBlit__Fv()')
del_items(2147914424)
set_type(2147914424, 'void FreeStoreMem__Fv()')
del_items(2147914432)
set_type(2147914432, 'void DrawSTextBack__Fv()')
del_items(2147914544)
set_type(2147914544, 'void DrawStoreArrows__Fv()')
del_items(2147914928)
set_type(2147914928, 'void PrintSString__FiiUcPcci(int x, int y, unsigned char cjustflag, char *str, int col, int val)')
del_items(2147916120)
set_type(2147916120, 'void DrawSLine__Fi(int y)')
del_items(2147916268)
set_type(2147916268, 'void ClearSText__Fii(int s, int e)')
del_items(2147916420)
set_type(2147916420, 'void AddSLine__Fi(int y)')
del_items(2147916500)
set_type(2147916500, 'void AddSTextVal__Fii(int y, int val)')
del_items(2147916540)
set_type(2147916540, 'void OffsetSTextY__Fii(int y, int yo)')
del_items(2147916580)
set_type(2147916580, 'void AddSText__FiiUcPccUc(int x, int y, unsigned char j, char *str, int clr, int sel)')
del_items(2147916768)
set_type(2147916768, 'void PrintStoreItem__FPC10ItemStructic(struct ItemStruct *x, int l, char iclr)')
del_items(2147918064)
set_type(2147918064, 'void StoreAutoPlace__Fv()')
del_items(2147919664)
set_type(2147919664, 'void S_StartSmith__Fv()')
del_items(2147920056)
set_type(2147920056, 'void S_ScrollSBuy__Fi(int idx)')
del_items(2147920576)
set_type(2147920576, 'void S_StartSBuy__Fv()')
del_items(2147921040)
set_type(2147921040, 'void S_ScrollSPBuy__Fi(int idx)')
del_items(2147921648)
set_type(2147921648, 'unsigned char S_StartSPBuy__Fv()')
del_items(2147922096)
set_type(2147922096, 'unsigned char SmithSellOk__Fi(int i)')
del_items(2147922328)
set_type(2147922328, 'void S_ScrollSSell__Fi(int idx)')
del_items(2147922924)
set_type(2147922924, 'void S_StartSSell__Fv()')
del_items(2147924004)
set_type(2147924004, 'unsigned char SmithRepairOk__Fi(int i)')
del_items(2147924172)
set_type(2147924172, 'void AddStoreHoldRepair__FP10ItemStructi(struct ItemStruct *itm, int i)')
del_items(2147924660)
set_type(2147924660, 'void S_StartSRepair__Fv()')
del_items(2147925892)
set_type(2147925892, 'void S_StartWitch__Fv()')
del_items(2147926284)
set_type(2147926284, 'int CheckWitchItem__Fi(int idx)')
del_items(2147926448)
set_type(2147926448, 'void S_ScrollWBuy__Fi(int idx)')
del_items(2147927028)
set_type(2147927028, 'void S_StartWBuy__Fv()')
del_items(2147927880)
set_type(2147927880, 'unsigned char WitchSellOk__Fi(int i)')
del_items(2147928212)
set_type(2147928212, 'void S_StartWSell__Fv()')
del_items(2147929868)
set_type(2147929868, 'unsigned char WitchRechargeOk__Fi(int i)')
del_items(2147930008)
set_type(2147930008, 'void AddStoreHoldRecharge__FG10ItemStructi(struct ItemStruct itm, int i)')
del_items(2147930400)
set_type(2147930400, 'void S_StartWRecharge__Fv()')
del_items(2147931472)
set_type(2147931472, 'void S_StartNoMoney__Fv()')
del_items(2147931576)
set_type(2147931576, 'void S_StartNoRoom__Fv()')
del_items(2147931672)
set_type(2147931672, 'void S_StartNoItems__Fv()')
del_items(2147931852)
set_type(2147931852, 'void S_StartConfirm__Fv()')
del_items(2147932724)
set_type(2147932724, 'void S_StartBoy__Fv()')
del_items(2147933148)
set_type(2147933148, 'void S_StartBBoy__Fv()')
del_items(2147933712)
set_type(2147933712, 'void S_StartHealer__Fv()')
del_items(2147934180)
set_type(2147934180, 'void S_ScrollHBuy__Fi(int idx)')
del_items(2147934668)
set_type(2147934668, 'void S_StartHBuy__Fv()')
del_items(2147934980)
set_type(2147934980, 'void S_StartStory__Fv()')
del_items(2147935220)
set_type(2147935220, 'unsigned char IdItemOk__FP10ItemStruct(struct ItemStruct *i)')
del_items(2147935272)
set_type(2147935272, 'void AddStoreHoldId__FG10ItemStructi(struct ItemStruct itm, int i)')
del_items(2147935492)
set_type(2147935492, 'void S_StartSIdentify__Fv()')
del_items(2147938212)
set_type(2147938212, 'void S_StartIdShow__Fv()')
del_items(2147938684)
set_type(2147938684, 'void S_StartTalk__Fv()')
del_items(2147939244)
set_type(2147939244, 'void S_StartTavern__Fv()')
del_items(2147939492)
set_type(2147939492, 'void S_StartBarMaid__Fv()')
del_items(2147939704)
set_type(2147939704, 'void S_StartDrunk__Fv()')
del_items(2147939916)
set_type(2147939916, 'void StartStore__Fc(char s)')
del_items(2147940776)
set_type(2147940776, 'void DrawStoreHelpText__Fv()')
del_items(2147940932)
set_type(2147940932, 'void DrawSText__Fv()')
del_items(2147940996)
set_type(2147940996, 'void DrawSTextTSK__FP4TASK(struct TASK *T)')
del_items(2147941260)
set_type(2147941260, 'void DoThatDrawSText__Fv()')
del_items(2147941780)
set_type(2147941780, 'void STextESC__Fv()')
del_items(2147942200)
set_type(2147942200, 'void STextUp__Fv()')
del_items(2147942588)
set_type(2147942588, 'void STextDown__Fv()')
del_items(2147942992)
set_type(2147942992, 'void S_SmithEnter__Fv()')
del_items(2147943208)
set_type(2147943208, 'void SetGoldCurs__Fii(int pnum, int i)')
del_items(2147943336)
set_type(2147943336, 'void SetSpdbarGoldCurs__Fii(int pnum, int i)')
del_items(2147943464)
set_type(2147943464, 'void TakePlrsMoney__Fl(long cost)')
del_items(2147944564)
set_type(2147944564, 'void SmithBuyItem__Fv()')
del_items(2147945204)
set_type(2147945204, 'void S_SBuyEnter__Fv()')
del_items(2147945816)
set_type(2147945816, 'void SmithBuyPItem__Fv()')
del_items(2147946268)
set_type(2147946268, 'void S_SPBuyEnter__Fv()')
del_items(2147946888)
set_type(2147946888, 'unsigned char StoreGoldFit__Fi(int idx)')
del_items(2147947584)
set_type(2147947584, 'void PlaceStoreGold__Fl(long v)')
del_items(2147948256)
set_type(2147948256, 'void StoreSellItem__Fv()')
del_items(2147949092)
set_type(2147949092, 'void S_SSellEnter__Fv()')
del_items(2147949364)
set_type(2147949364, 'void SmithRepairItem__Fv()')
del_items(2147949992)
set_type(2147949992, 'void S_SRepairEnter__Fv()')
del_items(2147950348)
set_type(2147950348, 'void S_WitchEnter__Fv()')
del_items(2147950572)
set_type(2147950572, 'void WitchBuyItem__Fv()')
del_items(2147951216)
set_type(2147951216, 'void S_WBuyEnter__Fv()')
del_items(2147951864)
set_type(2147951864, 'void S_WSellEnter__Fv()')
del_items(2147952184)
set_type(2147952184, 'void WitchRechargeItem__Fv()')
del_items(2147952564)
set_type(2147952564, 'void S_WRechargeEnter__Fv()')
del_items(2147952920)
set_type(2147952920, 'void S_BoyEnter__Fv()')
del_items(2147953328)
set_type(2147953328, 'void BoyBuyItem__Fv()')
del_items(2147953488)
set_type(2147953488, 'void HealerBuyItem__Fv()')
del_items(2147954300)
set_type(2147954300, 'void S_BBuyEnter__Fv()')
del_items(2147954832)
set_type(2147954832, 'void StoryIdItem__Fv()')
del_items(2147955680)
set_type(2147955680, 'void S_ConfirmEnter__Fv()')
del_items(2147955964)
set_type(2147955964, 'void S_HealerEnter__Fv()')
del_items(2147956116)
set_type(2147956116, 'void S_HBuyEnter__Fv()')
del_items(2147956680)
set_type(2147956680, 'void S_StoryEnter__Fv()')
del_items(2147956836)
set_type(2147956836, 'void S_SIDEnter__Fv()')
del_items(2147957224)
set_type(2147957224, 'void S_TalkEnter__Fv()')
del_items(2147957736)
set_type(2147957736, 'void S_TavernEnter__Fv()')
del_items(2147957852)
set_type(2147957852, 'void S_BarmaidEnter__Fv()')
del_items(2147957968)
set_type(2147957968, 'void S_DrunkEnter__Fv()')
del_items(2147958084)
set_type(2147958084, 'void STextEnter__Fv()')
del_items(2147958536)
set_type(2147958536, 'void CheckStoreBtn__Fv()')
del_items(2147958772)
set_type(2147958772, 'void ReleaseStoreBtn__Fv()')
del_items(2147958792)
set_type(2147958792, 'void _GLOBAL__D_pSTextBoxCels()')
del_items(2147958832)
set_type(2147958832, 'void _GLOBAL__I_pSTextBoxCels()')
del_items(2147958872)
set_type(2147958872, 'unsigned short GetDown__C4CPad_addr_80074058(struct CPad *this)')
del_items(2147958912)
set_type(2147958912, 'void SetRGB__6DialogUcUcUc_addr_80074080(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2147958944)
set_type(2147958944, 'void SetBorder__6Dialogi_addr_800740A0(struct Dialog *this, int Type)')
del_items(2147958952)
set_type(2147958952, 'void ___6Dialog_addr_800740A8(struct Dialog *this, int __in_chrg)')
del_items(2147958992)
set_type(2147958992, 'struct Dialog *__6Dialog_addr_800740D0(struct Dialog *this)')
del_items(2147959120)
set_type(2147959120, 'int GetOverlayOtBase__7CBlocks_addr_80074150()')
del_items(2147959128)
set_type(2147959128, 'void T_DrawView__Fii(int StartX, int StartY)')
del_items(2147959560)
set_type(2147959560, 'void T_FillSector__FPUcT0iiiib(unsigned char *P3Tiles, unsigned char *pSector, int xi, int yi, int w, int h, bool AddSec)')
del_items(2147960140)
set_type(2147960140, 'void T_FillTile__FPUciii(unsigned char *P3Tiles, int xx, int yy, int t)')
del_items(2147960412)
set_type(2147960412, 'void TownFixupBodges__Fv()')
del_items(2147960476)
set_type(2147960476, 'void T_Pass3__Fv()')
del_items(2147961384)
set_type(2147961384, 'void CreateTown__Fi(int entry)')
del_items(2147961724)
set_type(2147961724, 'unsigned char *GRL_LoadFileInMemSig__FPCcPUl(char *Name, unsigned long *Len)')
del_items(2147961952)
set_type(2147961952, 'void GRL_StripDir__FPcPCc(char *Dest, char *Src)')
del_items(2147962104)
set_type(2147962104, 'void InitVPTriggers__Fv()')
del_items(2147962176)
set_type(2147962176, 'bool FindLevTrig__Fiii(int x, int y, int l)')
del_items(2147962328)
set_type(2147962328, 'void ScanMap__FPsi(short *list, int l)')
del_items(2147962592)
set_type(2147962592, 'int FindBlock__Fii(int x, int y)')
del_items(2147962748)
set_type(2147962748, 'void ChangeBlock__Fiii(int x, int y, int bl)')
del_items(2147963072)
set_type(2147963072, 'void ScanBlocks__FPs(short *list)')
del_items(2147963336)
set_type(2147963336, 'void BuildLevTrigs__Fv()')
del_items(2147963740)
set_type(2147963740, 'void DrawFRIG__Fv()')
del_items(2147963772)
set_type(2147963772, 'unsigned char ForceTownTrig__Fv()')
del_items(2147964264)
set_type(2147964264, 'unsigned char ForceL1Trig__Fv()')
del_items(2147964712)
set_type(2147964712, 'unsigned char ForceL2Trig__Fv()')
del_items(2147965480)
set_type(2147965480, 'unsigned char ForceL3Trig__Fv()')
del_items(2147966260)
set_type(2147966260, 'unsigned char ForceL4Trig__Fv()')
del_items(2147967088)
set_type(2147967088, 'void Freeupstairs__Fv()')
del_items(2147967264)
set_type(2147967264, 'unsigned char ForceSKingTrig__Fv()')
del_items(2147967404)
set_type(2147967404, 'unsigned char ForceSChambTrig__Fv()')
del_items(2147967544)
set_type(2147967544, 'unsigned char ForcePWaterTrig__Fv()')
del_items(2147967684)
set_type(2147967684, 'void CheckTrigForce__Fv()')
del_items(2147968464)
set_type(2147968464, 'void FadeGameOut__Fv()')
del_items(2147968628)
set_type(2147968628, 'bool IsTrigger__Fii(int x, int y)')
del_items(2147968876)
set_type(2147968876, 'bool CheckTrigLevel__Fi(int level)')
del_items(2147968936)
set_type(2147968936, 'void CheckTriggers__Fi(int pnum)')
del_items(2147970356)
set_type(2147970356, 'int GetManaAmount__Fii(int id, int sn)')
del_items(2147971048)
set_type(2147971048, 'void UseMana__Fii(int id, int sn)')
del_items(2147971448)
set_type(2147971448, 'unsigned char CheckSpell__FiicUc(int id, int sn, char st, unsigned char manaonly)')
del_items(2147971608)
set_type(2147971608, 'void CastSpell__Fiiiiiiii(int id, int spl, int sx, int sy, int dx, int dy, int caster, int spllvl)')
del_items(2147972400)
set_type(2147972400, 'void DoResurrect__Fii(int pnum, int rid)')
del_items(2147973016)
set_type(2147973016, 'void DoHealOther__Fii(int pnum, int rid)')
del_items(2147973628)
set_type(2147973628, 'void snd_update__FUc(unsigned char bStopAll)')
del_items(2147973636)
set_type(2147973636, 'void snd_stop_snd__FP4TSnd(struct TSnd *pSnd)')
del_items(2147973696)
set_type(2147973696, 'void snd_play_snd__FP4TSFXll(struct TSFX *pSnd, long lVolume, long lPan)')
del_items(2147973768)
set_type(2147973768, 'void snd_play_msnd__FUsll(unsigned short pszName, long lVolume, long lPan)')
del_items(2147973928)
set_type(2147973928, 'void snd_init__FUl(unsigned long hWnd)')
del_items(2147973944)
set_type(2147973944, 'void music_stop__Fv()')
del_items(2147974008)
set_type(2147974008, 'void music_fade__Fv()')
del_items(2147974072)
set_type(2147974072, 'void music_start__Fi(int nTrack)')
del_items(2147974232)
set_type(2147974232, 'unsigned char snd_playing__Fi(int SFXNo)')
del_items(2147974264)
set_type(2147974264, 'void ClrCursor__Fi(int num)')
del_items(2147974356)
set_type(2147974356, 'void HappyMan__Fi(int n)')
del_items(2147974372)
set_type(2147974372, 'void flyabout__7GamePad(struct GamePad *this)')
del_items(2147975392)
set_type(2147975392, 'void CloseInvChr__Fv()')
del_items(2147975464)
set_type(2147975464, 'void WorldToOffset__Fiii(int pnum, int WorldX, int WorldY)')
del_items(2147975592)
set_type(2147975592, 'char pad_UpIsUpRight__Fic(int pval, char other)')
del_items(2147975780)
set_type(2147975780, 'struct GamePad *__7GamePadi(struct GamePad *this, int player_num)')
del_items(2147975960)
set_type(2147975960, 'void SetMoveStyle__7GamePadc(struct GamePad *this, char style_num)')
del_items(2147975968)
set_type(2147975968, 'void SetDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())')
del_items(2147976036)
set_type(2147976036, 'void SetComboDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())')
del_items(2147976104)
set_type(2147976104, 'void SetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)')
del_items(2147976720)
set_type(2147976720, 'void GetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)')
del_items(2147977160)
set_type(2147977160, 'int GetActionButton__7GamePadPFi_v(struct GamePad *this, void (*func)())')
del_items(2147977252)
set_type(2147977252, 'void SetUpAction__7GamePadPFi_vT1(struct GamePad *this, void (*func)(), void (*upfunc)())')
del_items(2147977312)
set_type(2147977312, 'void RunFunc__7GamePadi(struct GamePad *this, int pad)')
del_items(2147977548)
set_type(2147977548, 'void ButtonDown__7GamePadi(struct GamePad *this, int button)')
del_items(2147978596)
set_type(2147978596, 'void TestButtons__7GamePad(struct GamePad *this)')
del_items(2147978864)
set_type(2147978864, 'bool CheckCentre__7GamePadi(struct GamePad *this, int dir)')
del_items(2147979112)
set_type(2147979112, 'int CheckDirs__7GamePadi(struct GamePad *this, int dir)')
del_items(2147979160)
set_type(2147979160, 'int CheckDirs__7GamePadiii(struct GamePad *this, int dir, int wx, int wy)')
del_items(2147979424)
set_type(2147979424, 'int CheckSide__7GamePadi(struct GamePad *this, int dir)')
del_items(2147979488)
set_type(2147979488, 'bool newDirOk__7GamePadi(struct GamePad *this, int dir)')
del_items(2147979664)
set_type(2147979664, 'int CheckDiagBodge__7GamePadi(struct GamePad *this, int dir)')
del_items(2147980420)
set_type(2147980420, 'int CheckIsoBodge__7GamePadi(struct GamePad *this, int dir)')
del_items(2147981296)
set_type(2147981296, 'int CheckBodge__7GamePadi(struct GamePad *this, int dir)')
del_items(2147981648)
set_type(2147981648, 'void walk__7GamePadi(struct GamePad *this, int cmd)')
del_items(2147982488)
set_type(2147982488, 'void check_around_player__7GamePad(struct GamePad *this)')
del_items(2147983316)
set_type(2147983316, 'void show_combos__7GamePad(struct GamePad *this)')
del_items(2147983968)
set_type(2147983968, 'void Handle__7GamePad(struct GamePad *this)')
del_items(2147985756)
set_type(2147985756, 'void GamePadTask__FP4TASK(struct TASK *T)')
del_items(2147986004)
set_type(2147986004, 'struct GamePad *GetGamePad__Fi(int pnum)')
del_items(2147986036)
set_type(2147986036, 'void PostGamePad__Fiiii(int val, int var1, int var2, int var3)')
del_items(2147986296)
set_type(2147986296, 'void Init_GamePad__Fv()')
del_items(2147986344)
set_type(2147986344, 'void InitGamePadVars__Fv()')
del_items(2147986740)
set_type(2147986740, 'int SetWalkStyle__Fii(int pnum, int style)')
del_items(2147986852)
set_type(2147986852, 'char GetPadStyle__Fi(int pnum)')
del_items(2147986888)
set_type(2147986888, 'void _GLOBAL__I_flyflag()')
del_items(2147986944)
set_type(2147986944, 'bool Active__11SpellTarget_addr_8007AE00(struct SpellTarget *this)')
del_items(2147986956)
set_type(2147986956, 'void MoveToScrollTarget__7CBlocks_addr_8007AE0C(struct CBlocks *this)')
del_items(2147986976)
set_type(2147986976, 'unsigned short GetDown__C4CPad_addr_8007AE20(struct CPad *this)')
del_items(2147987016)
set_type(2147987016, 'unsigned short GetUp__C4CPad_addr_8007AE48(struct CPad *this)')
del_items(2147987056)
set_type(2147987056, 'unsigned short GetCur__C4CPad_addr_8007AE70(struct CPad *this)')
del_items(2147987096)
set_type(2147987096, 'void DoGameTestStuff__Fv()')
del_items(2147987140)
set_type(2147987140, 'void DoInitGameStuff__Fv()')
del_items(2147987192)
set_type(2147987192, 'void *SMemAlloc(unsigned long bytes, char *filename, int linenumber, unsigned long flags)')
del_items(2147987224)
set_type(2147987224, 'unsigned char SMemFree(void *ptr, char *filename, int linenumber, unsigned long flags)')
del_items(2147987256)
set_type(2147987256, 'void GRL_InitGwin__Fv()')
del_items(2147987268)
set_type(2147987268, 'unsigned long (*GRL_SetWindowProc__FPFUlUilUl_Ul(unsigned long (*NewProc)()))()')
del_items(2147987284)
set_type(2147987284, 'void GRL_CallWindowProc__FUlUilUl(unsigned long hw, unsigned int msg, long wp, unsigned long lp)')
del_items(2147987324)
set_type(2147987324, 'unsigned char GRL_PostMessage__FUlUilUl(unsigned long hWnd, unsigned int Msg, long wParam, unsigned long lParam)')
del_items(2147987496)
set_type(2147987496, 'char *Msg2Txt__Fi(int Msg)')
del_items(2147987568)
set_type(2147987568, 'enum LANG_TYPE LANG_GetLang__Fv()')
del_items(2147987580)
set_type(2147987580, 'void LANG_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)')
del_items(2147988048)
set_type(2147988048, 'char *GetStr__Fi(int StrId)')
del_items(2147988172)
set_type(2147988172, 'void LANG_ReloadMainTXT__Fv()')
del_items(2147988240)
set_type(2147988240, 'void LANG_SetLang__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)')
del_items(2147988520)
set_type(2147988520, 'void DumpCurrentText__Fv()')
del_items(2147988608)
set_type(2147988608, 'int CalcNumOfStrings__FPPc(char **TPtr)')
del_items(2147988620)
set_type(2147988620, 'void GetLangFileName__F9LANG_TYPEPc(enum LANG_TYPE NewLanguageType, char *Dest)')
del_items(2147988844)
set_type(2147988844, 'char *GetLangFileNameExt__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)')
del_items(2147988972)
set_type(2147988972, 'void DoPortalFX__FP8POLY_FT4iiii(struct POLY_FT4 *Ft4, int R, int G, int B, int OtPos)')
del_items(2147989852)
set_type(2147989852, 'struct POLY_FT4 *TempPrintMissile__FiiiiiiiiccUcUcUcc(int ScrX, int ScrY, int OtPos, int spell, int aframe, int direction, int anim, int sfx, int xflip, int yflip, int red, int grn, int blu, int semi)')
del_items(2147990852)
set_type(2147990852, 'void FuncTOWN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147991268)
set_type(2147991268, 'void FuncRPORTAL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147991552)
set_type(2147991552, 'void FuncFIREBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147991720)
set_type(2147991720, 'void FuncHBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147991904)
set_type(2147991904, 'void FuncLIGHTNING__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992008)
set_type(2147992008, 'void FuncGUARDIAN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992300)
set_type(2147992300, 'void FuncFIREWALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992452)
set_type(2147992452, 'void FuncFIREMOVE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992604)
set_type(2147992604, 'void FuncFLAME__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992712)
set_type(2147992712, 'void FuncARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147992888)
set_type(2147992888, 'void FuncFARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147993136)
set_type(2147993136, 'void FuncLARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147993376)
set_type(2147993376, 'void FuncMAGMABALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147993532)
set_type(2147993532, 'void FuncBONESPIRIT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147993824)
set_type(2147993824, 'void FuncACID__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147993992)
set_type(2147993992, 'void FuncACIDSPLAT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147994096)
set_type(2147994096, 'void FuncACIDPUD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147994200)
set_type(2147994200, 'void FuncFLARE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147994596)
set_type(2147994596, 'void FuncFLAREXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147994976)
set_type(2147994976, 'void FuncCBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995084)
set_type(2147995084, 'void FuncBOOM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995180)
set_type(2147995180, 'void FuncELEMENT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995392)
set_type(2147995392, 'void FuncMISEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995500)
set_type(2147995500, 'void FuncRHINO__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995508)
set_type(2147995508, 'void FuncFLASH__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995860)
set_type(2147995860, 'void FuncMANASHIELD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995956)
set_type(2147995956, 'void FuncFLASH2__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147995964)
set_type(2147995964, 'void FuncRESURRECTBEAM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147996016)
set_type(2147996016, 'void FuncWEAPEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)')
del_items(2147996172)
set_type(2147996172, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8007D20C(struct POLY_FT4 **Prim)')
del_items(2147996296)
set_type(2147996296, 'struct CPlayer *GetPlayer__7CPlayeri_addr_8007D288(int PNum)')
del_items(2147996376)
set_type(2147996376, 'int GetLastScrY__C7CPlayer_addr_8007D2D8(struct CPlayer *this)')
del_items(2147996388)
set_type(2147996388, 'int GetLastScrX__C7CPlayer_addr_8007D2E4(struct CPlayer *this)')
del_items(2147996400)
set_type(2147996400, 'int GetNumOfFrames__7TextDat_addr_8007D2F0(struct TextDat *this)')
del_items(2147996420)
set_type(2147996420, 'struct FRAME_HDR *GetFr__7TextDati_addr_8007D304(struct TextDat *this, int FrNum)')
del_items(2147996448)
set_type(2147996448, 'void ML_Init__Fv()')
del_items(2147996504)
set_type(2147996504, 'int ML_GetList__Fi(int Level)')
del_items(2147996632)
set_type(2147996632, 'int ML_SetRandomList__Fi(int Level)')
del_items(2147996784)
set_type(2147996784, 'int ML_SetList__Fii(int Level, int List)')
del_items(2147996960)
set_type(2147996960, 'int ML_GetPresetMonsters__FiPiUl(int currlevel, int *typelist, unsigned long QuestsNeededMask)')
del_items(2147997456)
set_type(2147997456, 'struct POLY_FT4 *DefaultObjPrint__FP12ObjectStructiiP7TextDatiii(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos, int XOffSet, int YOffSet)')
del_items(2147997860)
set_type(2147997860, 'struct POLY_FT4 *LightObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2147998056)
set_type(2147998056, 'struct POLY_FT4 *PrintOBJ_SARC__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2147998256)
set_type(2147998256, 'void ResetFlames__Fv()')
del_items(2147998456)
set_type(2147998456, 'void PrintOBJ_FIRE__Fiii(int ScrX, int ScrY, int OtPos)')
del_items(2147998896)
set_type(2147998896, 'struct POLY_FT4 *DoorObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2147999468)
set_type(2147999468, 'void DrawLightSpark__Fiii(int xo, int yo, int ot)')
del_items(2147999692)
set_type(2147999692, 'struct POLY_FT4 *PrintOBJ_L1LIGHT__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2147999788)
set_type(2147999788, 'void PrintTorchStick__Fiiii(int x, int y, int f, int OtPos)')
del_items(2147999936)
set_type(2147999936, 'struct POLY_FT4 *PrintOBJ_TORCHL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148000068)
set_type(2148000068, 'struct POLY_FT4 *PrintOBJ_TORCHR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148000200)
set_type(2148000200, 'struct POLY_FT4 *PrintOBJ_TORCHL2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148000340)
set_type(2148000340, 'struct POLY_FT4 *PrintOBJ_TORCHR2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148000480)
set_type(2148000480, 'struct POLY_FT4 *PrintOBJ_BARRELEX__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148000824)
set_type(2148000824, 'struct POLY_FT4 *PrintOBJ_SHRINEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148001040)
set_type(2148001040, 'struct POLY_FT4 *PrintOBJ_SHRINER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148001256)
set_type(2148001256, 'struct POLY_FT4 *PrintOBJ_BOOKCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148001292)
set_type(2148001292, 'struct POLY_FT4 *PrintOBJ_MCIRCLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148001704)
set_type(2148001704, 'struct POLY_FT4 *PrintOBJ_STORYBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002096)
set_type(2148002096, 'struct POLY_FT4 *PrintOBJ_STORYCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002132)
set_type(2148002132, 'struct POLY_FT4 *PrintOBJ_CANDLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002168)
set_type(2148002168, 'struct POLY_FT4 *PrintOBJ_CANDLE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002204)
set_type(2148002204, 'struct POLY_FT4 *PrintOBJ_STAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002264)
set_type(2148002264, 'struct POLY_FT4 *PrintOBJ_SKFIRE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)')
del_items(2148002364)
set_type(2148002364, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_8007EA3C(struct POLY_FT4 *Prim)')
del_items(2148002424)
set_type(2148002424, 'void PRIM_CopyPrim__FP8POLY_FT4T0_addr_8007EA78(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)')
del_items(2148002464)
set_type(2148002464, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8007EAA0(struct POLY_FT4 **Prim)')
del_items(2148002588)
set_type(2148002588, 'int GetNumOfFrames__7TextDatii_addr_8007EB1C(struct TextDat *this, int Creature, int Action)')
del_items(2148002644)
set_type(2148002644, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8007EB54(struct TextDat *this, int Creature)')
del_items(2148002672)
set_type(2148002672, 'struct FRAME_HDR *GetFr__7TextDati_addr_8007EB70(struct TextDat *this, int FrNum)')
del_items(2148002700)
set_type(2148002700, 'void LoadPalette__FPCc(char *pszFileName)')
del_items(2148002708)
set_type(2148002708, 'void LoadRndLvlPal__Fi(int l)')
del_items(2148002716)
set_type(2148002716, 'void ResetPal__Fv()')
del_items(2148002724)
set_type(2148002724, 'void SetFadeLevel__Fi(int fadeval)')
del_items(2148002772)
set_type(2148002772, 'bool GetFadeState__Fv()')
del_items(2148002784)
set_type(2148002784, 'void SetPolyXY__FP8POLY_GT4PUc(struct POLY_GT4 *gt4, unsigned char *coords)')
del_items(2148003068)
set_type(2148003068, 'void SmearScreen__Fv()')
del_items(2148003076)
set_type(2148003076, 'void DrawFadedScreen__Fv()')
del_items(2148003212)
set_type(2148003212, 'void BlackPalette__Fv()')
del_items(2148003464)
set_type(2148003464, 'void PaletteFadeInTask__FP4TASK(struct TASK *T)')
del_items(2148003608)
set_type(2148003608, 'bool PaletteFadeIn__Fi(int fr)')
del_items(2148003696)
set_type(2148003696, 'void PaletteFadeOutTask__FP4TASK(struct TASK *T)')
del_items(2148003872)
set_type(2148003872, 'bool PaletteFadeOut__Fi(int fr)')
del_items(2148003956)
set_type(2148003956, 'int GetMaxOtPos__7CBlocks_addr_8007F074()')
del_items(2148003964)
set_type(2148003964, 'void M_CheckEFlag__Fi(int i)')
del_items(2148004004)
set_type(2148004004, 'void M_ClearSquares__Fi(int i)')
del_items(2148004324)
set_type(2148004324, 'unsigned char IsSkel__Fi(int mt)')
del_items(2148004420)
set_type(2148004420, 'void NewMonsterAnim__FiR10AnimStructii(int i, struct AnimStruct *anim, int md, int AnimType)')
del_items(2148004504)
set_type(2148004504, 'unsigned char M_Talker__Fi(int i)')
del_items(2148004608)
set_type(2148004608, 'void M_Enemy__Fi(int i)')
del_items(2148005144)
set_type(2148005144, 'void ClearMVars__Fi(int i)')
del_items(2148005268)
set_type(2148005268, 'void InitMonster__Fiiiii(int i, int rd, int mtype, int x, int y)')
del_items(2148006700)
set_type(2148006700, 'int AddMonster__FiiiiUc(int x, int y, int dir, int mtype, int InMap)')
del_items(2148006860)
set_type(2148006860, 'void M_StartStand__Fii(int i, int md)')
del_items(2148007228)
set_type(2148007228, 'void M_UpdateLeader__Fi(int i)')
del_items(2148007500)
set_type(2148007500, 'void ActivateSpawn__Fiiii(int i, int x, int y, int dir)')
del_items(2148007660)
set_type(2148007660, 'unsigned char SpawnSkeleton__Fiii(int ii, int x, int y)')
del_items(2148008156)
set_type(2148008156, 'void M_StartSpStand__Fii(int i, int md)')
del_items(2148008388)
set_type(2148008388, 'unsigned char PosOkMonst__Fiii(int i, int x, int y)')
del_items(2148008984)
set_type(2148008984, 'unsigned char CanPut__Fii(int i, int j)')
del_items(2148009676)
set_type(2148009676, 'int encode_enemy__Fi(int m)')
del_items(2148009772)
set_type(2148009772, 'unsigned short GetAutomapType__FiiUc(int x, int y, unsigned char view)')
del_items(2148009984)
set_type(2148009984, 'void SetAutomapView__Fii(int x, int y)')
del_items(2148011088)
set_type(2148011088, 'void AddWarpMissile__Fiii(int i, int x, int y)')
del_items(2148011320)
set_type(2148011320, 'void SyncPortals__Fv()')
del_items(2148011660)
set_type(2148011660, 'void ActivatePortal__FiiiiiUc(int i, int x, int y, int lvl, int lvltype, int sp)')
del_items(2148011800)
set_type(2148011800, 'void DeactivatePortal__Fi(int i)')
del_items(2148011832)
set_type(2148011832, 'unsigned char PortalOnLevel__Fi(int i)')
del_items(2148011888)
set_type(2148011888, 'void DelMis__Fii(int mi, int i)')
del_items(2148011984)
set_type(2148011984, 'void RemovePortalMissile__Fi(int id)')
del_items(2148012332)
set_type(2148012332, 'void SetCurrentPortal__Fi(int p)')
del_items(2148012344)
set_type(2148012344, 'void GetPortalLevel__Fv()')
del_items(2148012700)
set_type(2148012700, 'void GetPortalLvlPos__Fv()')
del_items(2148012880)
set_type(2148012880, 'struct CompLevelMaps *__13CompLevelMapsRC9CompClass(struct CompLevelMaps *this, struct CompClass *NewCompObj)')
del_items(2148012988)
set_type(2148012988, 'void ___13CompLevelMaps(struct CompLevelMaps *this, int __in_chrg)')
del_items(2148013132)
set_type(2148013132, 'void Init__13CompLevelMaps(struct CompLevelMaps *this)')
del_items(2148013180)
set_type(2148013180, 'void InitAllMaps__13CompLevelMaps(struct CompLevelMaps *this)')
del_items(2148013264)
set_type(2148013264, 'struct DLevel *GetMap__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)')
del_items(2148013388)
set_type(2148013388, 'void ReleaseMap__13CompLevelMapsP6DLevel(struct CompLevelMaps *this, struct DLevel *Dl)')
del_items(2148013548)
set_type(2148013548, 'void ImportData__13CompLevelMapsP14CompressedLevs(struct CompLevelMaps *this, struct CompressedLevs *Levs)')
del_items(2148013720)
set_type(2148013720, 'int ExportData__13CompLevelMapsPUc(struct CompLevelMaps *this, unsigned char *U8Dest)')
del_items(2148013892)
set_type(2148013892, 'void MakeSureMapXDecomped__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)')
del_items(2148014064)
set_type(2148014064, 'void Init__4AMap(struct AMap *this)')
del_items(2148014172)
set_type(2148014172, 'int WriteCompressed__4AMapPUcRC9CompClass(struct AMap *this, unsigned char *Dest, struct CompClass *CompObj)')
del_items(2148014288)
set_type(2148014288, 'void SetCompData__4AMapPCUci(struct AMap *this, unsigned char *Data, int NewSize)')
del_items(2148014528)
set_type(2148014528, 'struct DLevel *GetMap__4AMap(struct AMap *this)')
del_items(2148014816)
set_type(2148014816, 'void ReleaseMap__4AMapP6DLevel(struct AMap *this, struct DLevel *Dl)')
del_items(2148014960)
set_type(2148014960, 'void CompressMap__4AMapRC9CompClass(struct AMap *this, struct CompClass *CompObj)')
del_items(2148015412)
set_type(2148015412, 'void DecompressMap__4AMapRC9CompClass(struct AMap *this, struct CompClass *CompObj)')
del_items(2148015720)
set_type(2148015720, 'void CheckMapNum__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)')
del_items(2148015772)
set_type(2148015772, 'bool IsCompressed__4AMap(struct AMap *this)')
del_items(2148015784)
set_type(2148015784, 'void ___4AMap(struct AMap *this, int __in_chrg)')
del_items(2148015856)
set_type(2148015856, 'struct AMap *__4AMap(struct AMap *this)')
del_items(2148015908)
set_type(2148015908, 'bool IS_GameOver__Fv()')
del_items(2148015948)
set_type(2148015948, 'void GO_DoGameOver__Fv()')
del_items(2148016020)
set_type(2148016020, 'void GameOverTask__FP4TASK(struct TASK *T)')
del_items(2148016536)
set_type(2148016536, 'void PrintGameOver__Fv()')
del_items(2148016856)
set_type(2148016856, 'unsigned short GetDown__C4CPad_addr_800822D8(struct CPad *this)')
del_items(2148016896)
set_type(2148016896, 'void SetRGB__6DialogUcUcUc_addr_80082300(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)')
del_items(2148016928)
set_type(2148016928, 'void SetBack__6Dialogi_addr_80082320(struct Dialog *this, int Type)')
del_items(2148016936)
set_type(2148016936, 'void SetBorder__6Dialogi_addr_80082328(struct Dialog *this, int Type)')
del_items(2148016944)
set_type(2148016944, 'void ___6Dialog_addr_80082330(struct Dialog *this, int __in_chrg)')
del_items(2148016984)
set_type(2148016984, 'struct Dialog *__6Dialog_addr_80082358(struct Dialog *this)')
del_items(2148017112)
set_type(2148017112, 'int GetOverlayOtBase__7CBlocks_addr_800823D8()')
del_items(2148017120)
set_type(2148017120, 'int GetMaxOtPos__7CBlocks_addr_800823E0()')
del_items(2148017128)
set_type(2148017128, 'void VER_InitVersion__Fv()')
del_items(2148017196)
set_type(2148017196, 'char *VER_GetVerString__Fv()')
del_items(2148017212)
set_type(2148017212, 'int CharPair2Num__FPc(char *Str)')
del_items(2148017252)
set_type(2148017252, 'int FindGetItem__FiUsi(int idx, unsigned short ci, int iseed)')
del_items(2148017432)
set_type(2148017432, 'void gamemenu_off__Fv()')
del_items(2148017440)
set_type(2148017440, 'void DPIECE_ERROR__Fv()')
del_items(2148017448)
set_type(2148017448, 'void AllocdPiece__Fv()')
del_items(2148017536)
set_type(2148017536, 'void FreedPiece__Fv()')
del_items(2148017604)
set_type(2148017604, 'void ConvertdPiece__Fv()')
del_items(2148018060)
set_type(2148018060, 'short GetDPiece__Fii(int x, int y)')
del_items(2148018196)
set_type(2148018196, 'void SetDPiece__Fiis(int x, int y, short v)')
del_items(2148018344)
set_type(2148018344, 'void SetdDead__FiiUc(int x, int y, unsigned char v)')
del_items(2148018408)
set_type(2148018408, 'unsigned char GetdDead__Fii(int x, int y)')
del_items(2148018448)
set_type(2148018448, 'void SetSOLID__Fii(int x, int y)')
del_items(2148018588)
set_type(2148018588, 'void ClearSOLID__Fii(int x, int y)')
del_items(2148018728)
set_type(2148018728, 'bool GetSOLID__Fii(int x, int y)')
del_items(2148018800)
set_type(2148018800, 'void SetMISSILE__Fii(int x, int y)')
del_items(2148018940)
set_type(2148018940, 'void ClearMISSILE__Fii(int x, int y)')
del_items(2148019080)
set_type(2148019080, 'bool GetMISSILE__Fii(int x, int y)')
del_items(2148019128)
set_type(2148019128, 'void SetBLOCK__Fii(int x, int y)')
del_items(2148019268)
set_type(2148019268, 'void ClearBLOCK__Fii(int x, int y)')
del_items(2148019408)
set_type(2148019408, 'bool GetBLOCK__Fii(int x, int y)')
del_items(2148019456)
set_type(2148019456, 'void SetTRAP__Fii(int x, int y)')
del_items(2148019596)
set_type(2148019596, 'void ClearTRAP__Fii(int x, int y)')
del_items(2148019736)
set_type(2148019736, 'bool GetTRAP__Fii(int x, int y)')
del_items(2147614460)
set_type(2147614460, 'void DoEpi(struct TASK *T)')
del_items(2147614540)
set_type(2147614540, 'void DoPro(struct TASK *T)')
del_items(2147614620)
set_type(2147614620, 'unsigned char TSK_OpenModule(unsigned long MemType)')
del_items(2147614736)
set_type(2147614736, 'struct TASK *TSK_AddTask(unsigned long Id, void (*Main)(), int StackSize, int DataSize)')
del_items(2147615224)
set_type(2147615224, 'void TSK_DoTasks()')
del_items(2147615672)
set_type(2147615672, 'void TSK_Sleep(int Frames)')
del_items(2147615892)
set_type(2147615892, 'void ReturnToSchedulerIfCurrentTask(struct TASK *T)')
del_items(2147616028)
set_type(2147616028, 'void TSK_Die()')
del_items(2147616072)
set_type(2147616072, 'void TSK_Kill(struct TASK *T)')
del_items(2147616152)
set_type(2147616152, 'struct TASK *TSK_GetFirstActive()')
del_items(2147616168)
set_type(2147616168, 'unsigned char TSK_IsStackCorrupted(struct TASK *T)')
del_items(2147616292)
set_type(2147616292, 'void TSK_JumpAndResetStack(void (*RunFunc)())')
del_items(2147616364)
set_type(2147616364, 'void TSK_RepointProc(struct TASK *T, void (*Func)())')
del_items(2147616432)
set_type(2147616432, 'struct TASK *TSK_GetCurrentTask()')
del_items(2147616448)
set_type(2147616448, 'unsigned char TSK_IsCurrentTask(struct TASK *T)')
del_items(2147616472)
set_type(2147616472, 'struct TASK *TSK_Exist(struct TASK *T, unsigned long Id, unsigned long Mask)')
del_items(2147616560)
set_type(2147616560, 'void TSK_SetExecFilter(unsigned long Id, unsigned long Mask)')
del_items(2147616584)
set_type(2147616584, 'void TSK_ClearExecFilter()')
del_items(2147616620)
set_type(2147616620, 'int TSK_KillTasks(struct TASK *CallingT, unsigned long Id, unsigned long Mask)')
del_items(2147616876)
set_type(2147616876, 'void TSK_IterateTasks(unsigned long Id, unsigned long Mask, void (*CallBack)())')
del_items(2147616996)
set_type(2147616996, 'void TSK_MakeTaskInactive(struct TASK *T)')
del_items(2147617016)
set_type(2147617016, 'void TSK_MakeTaskActive(struct TASK *T)')
del_items(2147617036)
set_type(2147617036, 'void TSK_MakeTaskImmortal(struct TASK *T)')
del_items(2147617056)
set_type(2147617056, 'void TSK_MakeTaskMortal(struct TASK *T)')
del_items(2147617076)
set_type(2147617076, 'unsigned char TSK_IsTaskActive(struct TASK *T)')
del_items(2147617096)
set_type(2147617096, 'unsigned char TSK_IsTaskMortal(struct TASK *T)')
del_items(2147617116)
set_type(2147617116, 'void DetachFromList(struct TASK **Head, struct TASK *ThisObj)')
del_items(2147617192)
set_type(2147617192, 'void AddToList(struct TASK **Head, struct TASK *ThisObj)')
del_items(2147617224)
set_type(2147617224, 'void LoTskKill(struct TASK *T)')
del_items(2147617336)
set_type(2147617336, 'void ExecuteTask(struct TASK *T)')
del_items(2147617416)
set_type(2147617416, 'void (*TSK_SetDoTasksPrologue(void (*Func)()))()')
del_items(2147617440)
set_type(2147617440, 'void (*TSK_SetDoTasksEpilogue(void (*Func)()))()')
del_items(2147617464)
set_type(2147617464, 'void (*TSK_SetTaskPrologue(void (*Pro)()))()')
del_items(2147617488)
set_type(2147617488, 'void (*TSK_SetTaskEpilogue(void (*Epi)()))()')
del_items(2147617512)
set_type(2147617512, 'void TSK_SetEpiProFilter(unsigned long Id, unsigned long Mask)')
del_items(2147617536)
set_type(2147617536, 'void TSK_ClearEpiProFilter()')
del_items(2147617588)
set_type(2147617588, 'void TSK_SetExtraStackProtection(unsigned char OnOff)')
del_items(2147617604)
set_type(2147617604, 'void (*TSK_SetStackFloodCallback(void (*Func)()))()')
del_items(2147617628)
set_type(2147617628, 'int TSK_SetExtraStackSize(int Size)')
del_items(2147617668)
set_type(2147617668, 'void ExtraMarkStack(unsigned long *Stack, int SizeLongs)')
del_items(2147617712)
set_type(2147617712, 'int CheckExtraStack(unsigned long *Stack, int LongsToCheck)')
del_items(2147617772)
set_type(2147617772, 'void TICK_InitModule()')
del_items(2147617804)
set_type(2147617804, 'void TICK_Set(unsigned long Val)')
del_items(2147617820)
set_type(2147617820, 'unsigned long TICK_Get()')
del_items(2147617836)
set_type(2147617836, 'void TICK_Update()')
del_items(2147617868)
set_type(2147617868, 'unsigned long TICK_GetAge(unsigned long OldTick)')
del_items(2147617912)
set_type(2147617912, 'char *TICK_GetDateString()')
del_items(2147617928)
set_type(2147617928, 'char *TICK_GetTimeString()')
del_items(2147617944)
set_type(2147617944, 'unsigned char GU_InitModule()')
del_items(2147617988)
set_type(2147617988, 'void GU_SetRndSeed(unsigned long *Tab)')
del_items(2147618036)
set_type(2147618036, 'unsigned long GU_GetRnd()')
del_items(2147618180)
set_type(2147618180, 'long GU_GetSRnd()')
del_items(2147618212)
set_type(2147618212, 'unsigned long GU_GetRndRange(unsigned int Range)')
del_items(2147618272)
set_type(2147618272, 'unsigned int GU_AlignVal(unsigned int w, unsigned int round)')
del_items(2147618308)
set_type(2147618308, 'void main()')
del_items(2147618388)
set_type(2147618388, 'unsigned char DBG_OpenModule()')
del_items(2147618396)
set_type(2147618396, 'void DBG_PollHost()')
del_items(2147618404)
set_type(2147618404, 'void DBG_Halt()')
del_items(2147618412)
set_type(2147618412, 'void DBG_SendMessage(char *e)')
del_items(2147618436)
set_type(2147618436, 'void DBG_SetMessageHandler(void (*Func)())')
del_items(2147618452)
set_type(2147618452, 'void DBG_Error(char *Text, char *File, int Line)')
del_items(2147618504)
set_type(2147618504, 'void DBG_SetErrorFunc(void (*EFunc)())')
del_items(2147618520)
set_type(2147618520, 'void SendPsyqString(char *e)')
del_items(2147618528)
set_type(2147618528, 'void DBG_SetPollRoutine(void (*Func)())')
del_items(2147618544)
set_type(2147618544, 'unsigned long GTIMSYS_GetTimer()')
del_items(2147618580)
set_type(2147618580, 'void GTIMSYS_ResetTimer()')
del_items(2147618616)
set_type(2147618616, 'unsigned long GTIMSYS_InitTimer()')
del_items(2147619180)
set_type(2147619180, 'struct MEM_INFO *GSYS_GetWorkMemInfo()')
del_items(2147619196)
set_type(2147619196, 'void GSYS_SetStackAndJump(void *Stack, void (*Func)(), void *Param)')
del_items(2147619256)
set_type(2147619256, 'void GSYS_MarkStack(void *Stack, unsigned long StackSize)')
del_items(2147619272)
set_type(2147619272, 'unsigned char GSYS_IsStackCorrupted(void *Stack, unsigned long StackSize)')
del_items(2147619296)
set_type(2147619296, 'unsigned char GSYS_InitMachine()')
del_items(2147619380)
set_type(2147619380, 'unsigned char GSYS_CheckPtr(void *Ptr)')
del_items(2147619432)
set_type(2147619432, 'unsigned char GSYS_IsStackOutOfBounds(void *Stack, unsigned long StackSize)')
del_items(2147619540)
set_type(2147619540, 'void GAL_SetErrorChecking(unsigned char OnOff)')
del_items(2147619556)
set_type(2147619556, 'long GAL_SplitBlock(long CurBlock, unsigned long Size)')
del_items(2147619844)
set_type(2147619844, 'void GAL_InitModule()')
del_items(2147620028)
set_type(2147620028, 'unsigned char GAL_AddMemType(struct MEM_INIT_INFO *M)')
del_items(2147620316)
set_type(2147620316, 'long GAL_Alloc(unsigned long Size, unsigned long Type, char *Name)')
del_items(2147620724)
set_type(2147620724, 'void *GAL_Lock(long Handle)')
del_items(2147620828)
set_type(2147620828, 'unsigned char GAL_Unlock(long Handle)')
del_items(2147620960)
set_type(2147620960, 'unsigned char GAL_Free(long Handle)')
del_items(2147621128)
set_type(2147621128, 'unsigned long GAL_GetFreeMem(unsigned long Type)')
del_items(2147621244)
set_type(2147621244, 'unsigned long GAL_GetUsedMem(unsigned long Type)')
del_items(2147621360)
set_type(2147621360, 'unsigned long GAL_LargestFreeBlock(unsigned long Type)')
del_items(2147621484)
set_type(2147621484, 'void AttachHdrToList(struct MEM_HDR **Head, struct MEM_HDR *Block)')
del_items(2147621516)
set_type(2147621516, 'void DetachHdrFromList(struct MEM_HDR **Head, struct MEM_HDR *Block)')
del_items(2147621592)
set_type(2147621592, 'unsigned char IsActiveValidHandle(long Handle)')
del_items(2147621648)
set_type(2147621648, 'void *AlignPtr(void *P, unsigned long Align)')
del_items(2147621696)
set_type(2147621696, 'unsigned long AlignSize(unsigned long Size, unsigned long Align)')
del_items(2147621744)
set_type(2147621744, 'struct MEM_HDR *FindClosestSizedBlock(struct MEM_HDR *Head, unsigned long Size)')
del_items(2147621832)
set_type(2147621832, 'struct MEM_HDR *FindHighestMemBlock(struct MEM_HDR *Head, unsigned long Size)')
del_items(2147621936)
set_type(2147621936, 'struct MEM_HDR *FindLowestMemBlock(struct MEM_HDR *Head, unsigned long Size)')
del_items(2147622040)
set_type(2147622040, 'struct MEM_INIT_INFO *GetMemInitInfoBlockFromType(unsigned long Type)')
del_items(2147622100)
set_type(2147622100, 'void MergeToEmptyList(struct MEM_INIT_INFO *MI, struct MEM_HDR *M)')
del_items(2147622312)
set_type(2147622312, 'long GAL_AllocAt(unsigned long Size, void *Addr, unsigned long Type, char *Name)')
del_items(2147622532)
set_type(2147622532, 'long LoAlloc(struct MEM_INIT_INFO *M, struct MEM_HDR *Block, void *Addr, unsigned long Size, char *Name)')
del_items(2147622940)
set_type(2147622940, 'struct MEM_HDR *FindBlockInTheseBounds(struct MEM_HDR *Head, void *Addr, unsigned long Size)')
del_items(2147623048)
set_type(2147623048, 'struct MEM_HDR *GetFreeMemHdrBlock()')
del_items(2147623184)
set_type(2147623184, 'void ReleaseMemHdrBlock(struct MEM_HDR *Index)')
del_items(2147623248)
set_type(2147623248, 'void GAL_IterateEmptyMem(unsigned long MemType, void (*Func)())')
del_items(2147623380)
set_type(2147623380, 'void GAL_IterateUsedMem(unsigned long MemType, void (*Func)())')
del_items(2147623536)
set_type(2147623536, 'unsigned char GAL_SetMemName(long Hnd, char *Text)')
del_items(2147623648)
set_type(2147623648, 'unsigned long GAL_TotalMem(unsigned long Type)')
del_items(2147623732)
set_type(2147623732, 'void *GAL_MemBase(unsigned long Type)')
del_items(2147623816)
set_type(2147623816, 'unsigned char GAL_DefragMem(unsigned long type)')
del_items(2147623948)
set_type(2147623948, 'unsigned char GSetError(enum GAL_ERROR_CODE Err)')
del_items(2147624040)
set_type(2147624040, 'unsigned char GAL_CheckMem(unsigned long Type)')
del_items(2147624292)
set_type(2147624292, 'unsigned char CheckCollisions(struct MEM_INIT_INFO *M, struct MEM_HDR *MemHdr)')
del_items(2147624464)
set_type(2147624464, 'unsigned char AreBlocksColliding(struct MEM_HDR *Hdr1, struct MEM_HDR *Hdr2)')
del_items(2147624552)
set_type(2147624552, 'char *GAL_GetErrorText(enum GAL_ERROR_CODE Err)')
del_items(2147624600)
set_type(2147624600, 'enum GAL_ERROR_CODE GAL_GetLastErrorCode()')
del_items(2147624616)
set_type(2147624616, 'char *GAL_GetLastErrorText()')
del_items(2147624656)
set_type(2147624656, 'int GAL_HowManyEmptyRegions(unsigned long Type)')
del_items(2147624760)
set_type(2147624760, 'int GAL_HowManyUsedRegions(unsigned long Type)')
del_items(2147624864)
set_type(2147624864, 'void GAL_SetTimeStamp(int Time)')
del_items(2147624880)
set_type(2147624880, 'void GAL_IncTimeStamp()')
del_items(2147624912)
set_type(2147624912, 'int GAL_GetTimeStamp()')
del_items(2147624928)
set_type(2147624928, 'long GAL_AlignSizeToType(unsigned long Size, unsigned long MemType)')
del_items(2147625008)
set_type(2147625008, 'long GAL_AllocMultiStruct(struct GAL_STRUCT *G, unsigned long Type, char *Name)')
del_items(2147625088)
set_type(2147625088, 'unsigned int GAL_ProcessMultiStruct(struct GAL_STRUCT *G, unsigned long Type)')
del_items(2147625260)
set_type(2147625260, 'long GAL_GetSize(long hnd)')
del_items(2147625352)
set_type(2147625352, 'unsigned char GazDefragMem(unsigned long MemType)')
del_items(2147625712)
set_type(2147625712, 'void PutBlocksInRegionIntoList(struct MEM_REG *Reg, struct MEM_HDR **ToList, struct MEM_HDR **FromList)')
del_items(2147625876)
set_type(2147625876, 'unsigned char CollideRegions(struct MEM_REG *Reg1, struct MEM_REG *Reg2)')
del_items(2147625928)
set_type(2147625928, 'void DeleteEmptyBlocks(struct MEM_INIT_INFO *M)')
del_items(2147626036)
set_type(2147626036, 'unsigned char GetRegion(struct MEM_REG *Reg, struct MEM_HDR *LockedBlocks, struct MEM_INIT_INFO *M)')
del_items(2147626284)
set_type(2147626284, 'struct MEM_HDR *FindNextBlock(void *Addr, struct MEM_HDR *Blocks)')
del_items(2147626344)
set_type(2147626344, 'unsigned long ShuffleBlocks(struct MEM_HDR *Blocks, struct MEM_REG *Reg, struct MEM_INIT_INFO *M)')
del_items(2147626488)
set_type(2147626488, 'void PutAllLockedBlocksOntoList(struct MEM_HDR **ToHead, struct MEM_HDR **FromHead)')
del_items(2147626612)
set_type(2147626612, 'void SortMemHdrListByAddr(struct MEM_HDR **Head)')
del_items(2147626792)
set_type(2147626792, 'void GraftMemHdrList(struct MEM_HDR **ToList, struct MEM_HDR **FromList)')
del_items(2147626884)
set_type(2147626884, 'void GAL_MemDump(unsigned long Type)')
del_items(2147627000)
set_type(2147627000, 'void GAL_SetVerbosity(enum GAL_VERB_LEV G)')
del_items(2147627016)
set_type(2147627016, 'int CountFreeBlocks()')
del_items(2147627060)
set_type(2147627060, 'void SetBlockName(struct MEM_HDR *MemHdr, char *NewName)')
del_items(2147627132)
set_type(2147627132, 'int GAL_GetNumFreeHeaders()')
del_items(2147627148)
set_type(2147627148, 'unsigned long GAL_GetLastTypeAlloced()')
del_items(2147627164)
set_type(2147627164, 'void (*GAL_SetAllocFilter(void (*NewFilter)()))()')
del_items(2147627188)
set_type(2147627188, 'unsigned char GAL_SortUsedRegionsBySize(unsigned long MemType)')
del_items(2147627272)
set_type(2147627272, 'unsigned char SortSize(struct MEM_HDR *B1, struct MEM_HDR *B2)')
del_items(2147627288)
set_type(2147627288, 'unsigned char GAL_SortUsedRegionsByAddress(unsigned long MemType)')
del_items(2147627372)
set_type(2147627372, 'unsigned char SortAddr(struct MEM_HDR *B1, struct MEM_HDR *B2)')
del_items(2147627388)
set_type(2147627388, 'void SortMemHdrList(struct MEM_HDR **Head, unsigned char (*CompFunc)())')
del_items(2147636536)
set_type(2147636536, 'int vsprintf(char *str, char *fmt, char *ap)')
del_items(2147636612)
set_type(2147636612, 'int _doprnt(char *fmt0, char *argp, struct FILE *fp)') |
#!/usr/bin/python3.8
#LEBG- Local, Enclosing, Global, Built-in
x = "Global x"
def outer():
# global x
x = "Local x"
def inner():
nonlocal x #cant use global variables as nonlocal in nested function
x = "Nonlocal x"
print(x)
print(x)
inner()
print(x)
print(x)
outer()
print(x) | x = 'Global x'
def outer():
x = 'Local x'
def inner():
nonlocal x
x = 'Nonlocal x'
print(x)
print(x)
inner()
print(x)
print(x)
outer()
print(x) |
# Day 2: http://adventofcode.com/2016/day/2
# Problem:
# Given the following directions (on lines), start at the number 5 on a normal
# 9-key pad and move, when possible, one space in the desired direction until
# the line ends. That is the number for that line. For the next line, start
# at the previous line's endpoint.
# pylint: disable-msg=C0103
# pylint: disable-msg=C0301
# Source directions
directions = """RDLULDLDDRLLLRLRULDRLDDRRRRURLRLDLULDLDLDRULDDLLDRDRUDLLDDRDULLLULLDULRRLDURULDRUULLLUUDURURRDDLDLDRRDDLRURLLDRRRDULDRULURURURURLLRRLUDULDRULLDURRRLLDURDRRUUURDRLLDRURULRUDULRRRRRDLRLLDRRRDLDUUDDDUDLDRUURRLLUDUDDRRLRRDRUUDUUULDUUDLRDLDLLDLLLLRRURDLDUURRLLDLDLLRLLRULDDRLDLUDLDDLRDRRDLULRLLLRUDDURLDLLULRDUUDRRLDUDUDLUURDURRDDLLDRRRLUDULDULDDLLULDDDRRLLDURURURUUURRURRUUDUUURULDLRULRURDLDRDDULDDULLURDDUDDRDRRULRUURRDDRLLUURDRDDRUDLUUDURRRLLRR
RDRRLURDDDDLDUDLDRURRLDLLLDDLURLLRULLULUUURLDURURULDLURRLRULDDUULULLLRLLRDRRUUDLUUDDUDDDRDURLUDDRULRULDDDLULRDDURRUURLRRLRULLURRDURRRURLDULULURULRRLRLUURRRUDDLURRDDUUDRDLLDRLRURUDLDLLLLDLRURDLLRDDUDDLDLDRRDLRDRDLRRRRUDUUDDRDLULUDLUURLDUDRRRRRLUUUDRRDLULLRRLRLDDDLLDLLRDDUUUUDDULUDDDUULDDUUDURRDLURLLRUUUUDUDRLDDDURDRLDRLRDRULRRDDDRDRRRLRDULUUULDLDDDUURRURLDLDLLDLUDDLDLRUDRLRLDURUDDURLDRDDLLDDLDRURRULLURULUUUUDLRLUUUDLDRUDURLRULLRLLUUULURLLLDULLUDLLRULRRLURRRRLRDRRLLULLLDURDLLDLUDLDUDURLURDLUURRRLRLLDRLDLDRLRUUUDRLRUDUUUR
LLLLULRDUUDUUDRDUUURDLLRRLUDDDRLDUUDDURLDUDULDRRRDDLLLRDDUDDLLLRRLURDULRUUDDRRDLRLRUUULDDULDUUUDDLLDDDDDURLDRLDDDDRRDURRDRRRUUDUUDRLRRRUURUDURLRLDURDDDUDDUDDDUUDRUDULDDRDLULRURDUUDLRRDDRRDLRDLRDLULRLLRLRLDLRULDDDDRLDUURLUUDLLRRLLLUUULURUUDULRRRULURUURLDLLRURUUDUDLLUDLDRLLRRUUDDRLUDUDRDDRRDDDURDRUDLLDLUUDRURDLLULLLLUDLRRRUULLRRDDUDDDUDDRDRRULURRUUDLUDLDRLLLLDLUULLULLDDUDLULRDRLDRDLUDUDRRRRLRDLLLDURLULUDDRURRDRUDLLDRURRUUDDDRDUUULDURRULDLLDLDLRDUDURRRRDLDRRLUDURLUDRRLUDDLLDUULLDURRLRDRLURURLUUURRLUDRRLLULUULUDRUDRDLUL
LRUULRRUDUDDLRRDURRUURDURURLULRDUUDUDLDRRULURUDURURDRLDDLRUURLLRDLURRULRRRUDULRRULDLUULDULLULLDUDLLUUULDLRDRRLUURURLLUUUDDLLURDUDURULRDLDUULDDRULLUUUURDDRUURDDDRUUUDRUULDLLULDLURLRRLRULRLDLDURLRLDLRRRUURLUUDULLLRRURRRLRULLRLUUDULDULRDDRDRRURDDRRLULRDURDDDDDLLRRDLLUUURUULUDLLDDULDUDUUDDRURDDURDDRLURUDRDRRULLLURLUULRLUDUDDUUULDRRRRDLRLDLLDRRDUDUUURLRURDDDRURRUDRUURUUDLRDDDLUDLRUURULRRLDDULRULDRLRLLDRLURRUUDRRRLRDDRLDDLLURLLUDL
ULURLRDLRUDLLDUDDRUUULULUDDDDDRRDRULUDRRUDLRRRLUDLRUULRDDRRLRUDLUDULRULLUURLLRLLLLDRDUURDUUULLRULUUUDRDRDRUULURDULDLRRULUURURDULULDRRURDLRUDLULULULUDLLUURULDLLLRDUDDRRLULUDDRLLLRURDDLDLRLLLRDLDRRUUULRLRDDDDRUDRUULDDRRULLDRRLDDRRUDRLLDUDRRUDDRDLRUDDRDDDRLLRDUULRDRLDUDRLDDLLDDDUUDDRULLDLLDRDRRUDDUUURLLUURDLULUDRUUUDURURLRRDULLDRDDRLRDULRDRURRUDLDDRRRLUDRLRRRRLLDDLLRLDUDUDDRRRUULDRURDLLDLUULDLDLDUUDDULUDUDRRDRLDRDURDUULDURDRRDRRLLRLDLU"""
lines = directions.split("\n")
numbers = []
lastNumber = [1, 1]
pad = (("1", "2", "3"), ("4", "5", "6"), ("7", "8", "9"))
for line in lines:
for direction in line:
if "R" in direction and lastNumber[1] < 2:
lastNumber[1] += 1
if "L" in direction and lastNumber[1] > 0:
lastNumber[1] -= 1
if "U" in direction and lastNumber[0] > 0:
lastNumber[0] -= 1
if "D" in direction and lastNumber[0] < 2:
lastNumber[0] += 1
numbers.append(pad[lastNumber[0]][lastNumber[1]])
print("".join(numbers))
# With a pad that looks like the one below (empty strings are buttons that can't be hit),
# what is the code with the same instructions as before?
numbers = []
lastNumber = [2,0]
newPad = (("", "", "1", "", ""),
("", "2", "3", "4", ""),
("5", "6", "7", "8", "9"),
("", "A", "B", "C", ""),
("", "", "D", "", ""))
for line in lines:
for direction in line:
# adding checks to make sure the spot to move to isn't empty
if "R" in direction and lastNumber[1] < 4 and len(newPad[lastNumber[0]][lastNumber[1]+1]) > 0:
lastNumber[1] += 1
if "L" in direction and lastNumber[1] > 0 and len(newPad[lastNumber[0]][lastNumber[1]-1]) > 0:
lastNumber[1] -= 1
if "U" in direction and lastNumber[0] > 0 and len(newPad[lastNumber[0]-1][lastNumber[1]]) > 0:
lastNumber[0] -= 1
if "D" in direction and lastNumber[0] < 4 and len(newPad[lastNumber[0]+1][lastNumber[1]]) > 0:
lastNumber[0] += 1
numbers.append(newPad[lastNumber[0]][lastNumber[1]])
print("".join(numbers)) | directions = 'RDLULDLDDRLLLRLRULDRLDDRRRRURLRLDLULDLDLDRULDDLLDRDRUDLLDDRDULLLULLDULRRLDURULDRUULLLUUDURURRDDLDLDRRDDLRURLLDRRRDULDRULURURURURLLRRLUDULDRULLDURRRLLDURDRRUUURDRLLDRURULRUDULRRRRRDLRLLDRRRDLDUUDDDUDLDRUURRLLUDUDDRRLRRDRUUDUUULDUUDLRDLDLLDLLLLRRURDLDUURRLLDLDLLRLLRULDDRLDLUDLDDLRDRRDLULRLLLRUDDURLDLLULRDUUDRRLDUDUDLUURDURRDDLLDRRRLUDULDULDDLLULDDDRRLLDURURURUUURRURRUUDUUURULDLRULRURDLDRDDULDDULLURDDUDDRDRRULRUURRDDRLLUURDRDDRUDLUUDURRRLLRR\nRDRRLURDDDDLDUDLDRURRLDLLLDDLURLLRULLULUUURLDURURULDLURRLRULDDUULULLLRLLRDRRUUDLUUDDUDDDRDURLUDDRULRULDDDLULRDDURRUURLRRLRULLURRDURRRURLDULULURULRRLRLUURRRUDDLURRDDUUDRDLLDRLRURUDLDLLLLDLRURDLLRDDUDDLDLDRRDLRDRDLRRRRUDUUDDRDLULUDLUURLDUDRRRRRLUUUDRRDLULLRRLRLDDDLLDLLRDDUUUUDDULUDDDUULDDUUDURRDLURLLRUUUUDUDRLDDDURDRLDRLRDRULRRDDDRDRRRLRDULUUULDLDDDUURRURLDLDLLDLUDDLDLRUDRLRLDURUDDURLDRDDLLDDLDRURRULLURULUUUUDLRLUUUDLDRUDURLRULLRLLUUULURLLLDULLUDLLRULRRLURRRRLRDRRLLULLLDURDLLDLUDLDUDURLURDLUURRRLRLLDRLDLDRLRUUUDRLRUDUUUR\nLLLLULRDUUDUUDRDUUURDLLRRLUDDDRLDUUDDURLDUDULDRRRDDLLLRDDUDDLLLRRLURDULRUUDDRRDLRLRUUULDDULDUUUDDLLDDDDDURLDRLDDDDRRDURRDRRRUUDUUDRLRRRUURUDURLRLDURDDDUDDUDDDUUDRUDULDDRDLULRURDUUDLRRDDRRDLRDLRDLULRLLRLRLDLRULDDDDRLDUURLUUDLLRRLLLUUULURUUDULRRRULURUURLDLLRURUUDUDLLUDLDRLLRRUUDDRLUDUDRDDRRDDDURDRUDLLDLUUDRURDLLULLLLUDLRRRUULLRRDDUDDDUDDRDRRULURRUUDLUDLDRLLLLDLUULLULLDDUDLULRDRLDRDLUDUDRRRRLRDLLLDURLULUDDRURRDRUDLLDRURRUUDDDRDUUULDURRULDLLDLDLRDUDURRRRDLDRRLUDURLUDRRLUDDLLDUULLDURRLRDRLURURLUUURRLUDRRLLULUULUDRUDRDLUL\nLRUULRRUDUDDLRRDURRUURDURURLULRDUUDUDLDRRULURUDURURDRLDDLRUURLLRDLURRULRRRUDULRRULDLUULDULLULLDUDLLUUULDLRDRRLUURURLLUUUDDLLURDUDURULRDLDUULDDRULLUUUURDDRUURDDDRUUUDRUULDLLULDLURLRRLRULRLDLDURLRLDLRRRUURLUUDULLLRRURRRLRULLRLUUDULDULRDDRDRRURDDRRLULRDURDDDDDLLRRDLLUUURUULUDLLDDULDUDUUDDRURDDURDDRLURUDRDRRULLLURLUULRLUDUDDUUULDRRRRDLRLDLLDRRDUDUUURLRURDDDRURRUDRUURUUDLRDDDLUDLRUURULRRLDDULRULDRLRLLDRLURRUUDRRRLRDDRLDDLLURLLUDL\nULURLRDLRUDLLDUDDRUUULULUDDDDDRRDRULUDRRUDLRRRLUDLRUULRDDRRLRUDLUDULRULLUURLLRLLLLDRDUURDUUULLRULUUUDRDRDRUULURDULDLRRULUURURDULULDRRURDLRUDLULULULUDLLUURULDLLLRDUDDRRLULUDDRLLLRURDDLDLRLLLRDLDRRUUULRLRDDDDRUDRUULDDRRULLDRRLDDRRUDRLLDUDRRUDDRDLRUDDRDDDRLLRDUULRDRLDUDRLDDLLDDDUUDDRULLDLLDRDRRUDDUUURLLUURDLULUDRUUUDURURLRRDULLDRDDRLRDULRDRURRUDLDDRRRLUDRLRRRRLLDDLLRLDUDUDDRRRUULDRURDLLDLUULDLDLDUUDDULUDUDRRDRLDRDURDUULDURDRRDRRLLRLDLU'
lines = directions.split('\n')
numbers = []
last_number = [1, 1]
pad = (('1', '2', '3'), ('4', '5', '6'), ('7', '8', '9'))
for line in lines:
for direction in line:
if 'R' in direction and lastNumber[1] < 2:
lastNumber[1] += 1
if 'L' in direction and lastNumber[1] > 0:
lastNumber[1] -= 1
if 'U' in direction and lastNumber[0] > 0:
lastNumber[0] -= 1
if 'D' in direction and lastNumber[0] < 2:
lastNumber[0] += 1
numbers.append(pad[lastNumber[0]][lastNumber[1]])
print(''.join(numbers))
numbers = []
last_number = [2, 0]
new_pad = (('', '', '1', '', ''), ('', '2', '3', '4', ''), ('5', '6', '7', '8', '9'), ('', 'A', 'B', 'C', ''), ('', '', 'D', '', ''))
for line in lines:
for direction in line:
if 'R' in direction and lastNumber[1] < 4 and (len(newPad[lastNumber[0]][lastNumber[1] + 1]) > 0):
lastNumber[1] += 1
if 'L' in direction and lastNumber[1] > 0 and (len(newPad[lastNumber[0]][lastNumber[1] - 1]) > 0):
lastNumber[1] -= 1
if 'U' in direction and lastNumber[0] > 0 and (len(newPad[lastNumber[0] - 1][lastNumber[1]]) > 0):
lastNumber[0] -= 1
if 'D' in direction and lastNumber[0] < 4 and (len(newPad[lastNumber[0] + 1][lastNumber[1]]) > 0):
lastNumber[0] += 1
numbers.append(newPad[lastNumber[0]][lastNumber[1]])
print(''.join(numbers)) |
'''
Problem statement: We need to find the area difference between the squares where for one square circle is a circumcircle and the other one is incircle
Problem Link: https://edabit.com/challenge/NNhkGocuPMcryW7GP
'''
def square_areas_difference(r):
return 2*r*r
| """
Problem statement: We need to find the area difference between the squares where for one square circle is a circumcircle and the other one is incircle
Problem Link: https://edabit.com/challenge/NNhkGocuPMcryW7GP
"""
def square_areas_difference(r):
return 2 * r * r |
load(
"//kotlin/internal:defs.bzl",
_TOOLCHAIN_TYPE = "TOOLCHAIN_TYPE",
)
def _restore_label(l):
"""Restore a label struct to a canonical label string."""
lbl = l.workspace_root
if lbl.startswith("external/"):
lbl = lbl.replace("external/", "@")
return lbl + "//" + l.package + ":" + l.name
# TODO unexport this once init builder args can take care of friends.
def _derive_module_name(ctx):
"""Gets the `module_name` attribute if it's set in the ctx, otherwise derive a unique module name using the elements
found in the label."""
module_name = getattr(ctx.attr, "module_name", "")
if module_name == "":
module_name = (ctx.label.package.lstrip("/").replace("/", "_") + "-" + ctx.label.name.replace("/", "_"))
return module_name
def _init_builder_args(ctx, rule_kind, module_name):
"""Initialize an arg object for a task that will be executed by the Kotlin Builder."""
toolchain = ctx.toolchains[_TOOLCHAIN_TYPE]
args = ctx.actions.args()
args.set_param_file_format("multiline")
args.use_param_file("--flagfile=%s", use_always = True)
args.add("--target_label", ctx.label)
args.add("--rule_kind", rule_kind)
args.add("--kotlin_module_name", module_name)
args.add("--kotlin_jvm_target", toolchain.jvm_target)
args.add("--kotlin_api_version", toolchain.api_version)
args.add("--kotlin_language_version", toolchain.language_version)
args.add("--kotlin_passthrough_flags", "-Xuse-experimental=kotlin.Experimental")
debug = toolchain.debug
for tag in ctx.attr.tags:
if tag == "trace":
debug = debug + [tag]
if tag == "timings":
debug = debug + [tag]
args.add_all("--kotlin_debug_tags", debug, omit_if_empty = False)
return args
# Copied from https://github.com/bazelbuild/bazel-skylib/blob/master/lib/dicts.bzl
# Remove it if we add a dependency on skylib.
def _add_dicts(*dictionaries):
"""Returns a new `dict` that has all the entries of the given dictionaries.
If the same key is present in more than one of the input dictionaries, the
last of them in the argument list overrides any earlier ones.
This function is designed to take zero or one arguments as well as multiple
dictionaries, so that it follows arithmetic identities and callers can avoid
special cases for their inputs: the sum of zero dictionaries is the empty
dictionary, and the sum of a single dictionary is a copy of itself.
Args:
*dictionaries: Zero or more dictionaries to be added.
Returns:
A new `dict` that has all the entries of the given dictionaries.
"""
result = {}
for d in dictionaries:
result.update(d)
return result
utils = struct(
add_dicts = _add_dicts,
init_args = _init_builder_args,
restore_label = _restore_label,
derive_module_name = _derive_module_name,
)
| load('//kotlin/internal:defs.bzl', _TOOLCHAIN_TYPE='TOOLCHAIN_TYPE')
def _restore_label(l):
"""Restore a label struct to a canonical label string."""
lbl = l.workspace_root
if lbl.startswith('external/'):
lbl = lbl.replace('external/', '@')
return lbl + '//' + l.package + ':' + l.name
def _derive_module_name(ctx):
"""Gets the `module_name` attribute if it's set in the ctx, otherwise derive a unique module name using the elements
found in the label."""
module_name = getattr(ctx.attr, 'module_name', '')
if module_name == '':
module_name = ctx.label.package.lstrip('/').replace('/', '_') + '-' + ctx.label.name.replace('/', '_')
return module_name
def _init_builder_args(ctx, rule_kind, module_name):
"""Initialize an arg object for a task that will be executed by the Kotlin Builder."""
toolchain = ctx.toolchains[_TOOLCHAIN_TYPE]
args = ctx.actions.args()
args.set_param_file_format('multiline')
args.use_param_file('--flagfile=%s', use_always=True)
args.add('--target_label', ctx.label)
args.add('--rule_kind', rule_kind)
args.add('--kotlin_module_name', module_name)
args.add('--kotlin_jvm_target', toolchain.jvm_target)
args.add('--kotlin_api_version', toolchain.api_version)
args.add('--kotlin_language_version', toolchain.language_version)
args.add('--kotlin_passthrough_flags', '-Xuse-experimental=kotlin.Experimental')
debug = toolchain.debug
for tag in ctx.attr.tags:
if tag == 'trace':
debug = debug + [tag]
if tag == 'timings':
debug = debug + [tag]
args.add_all('--kotlin_debug_tags', debug, omit_if_empty=False)
return args
def _add_dicts(*dictionaries):
"""Returns a new `dict` that has all the entries of the given dictionaries.
If the same key is present in more than one of the input dictionaries, the
last of them in the argument list overrides any earlier ones.
This function is designed to take zero or one arguments as well as multiple
dictionaries, so that it follows arithmetic identities and callers can avoid
special cases for their inputs: the sum of zero dictionaries is the empty
dictionary, and the sum of a single dictionary is a copy of itself.
Args:
*dictionaries: Zero or more dictionaries to be added.
Returns:
A new `dict` that has all the entries of the given dictionaries.
"""
result = {}
for d in dictionaries:
result.update(d)
return result
utils = struct(add_dicts=_add_dicts, init_args=_init_builder_args, restore_label=_restore_label, derive_module_name=_derive_module_name) |
class LockboxError(Exception):
pass
class LockboxDefinitionError(LockboxError):
'''Base exception for problems related to the actual definition of a
new lockbox record.
'''
pass
class LockboxParseError(LockboxError):
'''Base exception for problems related to reading a BAI Lockbox
record.
'''
pass
class LockboxConsistencyError(LockboxError):
'''Exception for problems relating to the consistency of the data in a
correctly parsed lockbox file.
'''
pass
| class Lockboxerror(Exception):
pass
class Lockboxdefinitionerror(LockboxError):
"""Base exception for problems related to the actual definition of a
new lockbox record.
"""
pass
class Lockboxparseerror(LockboxError):
"""Base exception for problems related to reading a BAI Lockbox
record.
"""
pass
class Lockboxconsistencyerror(LockboxError):
"""Exception for problems relating to the consistency of the data in a
correctly parsed lockbox file.
"""
pass |
#! /usr/bin/env python3
# -*- coding: utf-8 -*-
""" Describes Production cellular model. """
__author__ = 'Ari Saha (arisaha@icloud.com)'
__date__ = 'Tuesday, March 6th 2018, 10:08:50 am'
| """ Describes Production cellular model. """
__author__ = 'Ari Saha (arisaha@icloud.com)'
__date__ = 'Tuesday, March 6th 2018, 10:08:50 am' |
########################## DIRECTORIES ##########################
save_folder = "saved_data"
export_folder = "export_data" | save_folder = 'saved_data'
export_folder = 'export_data' |
def reverse_and_mirror(s1, s2):
swap = s1.swapcase()
return '{}@@@{}{}'.format(s2[::-1].swapcase(), swap[::-1], swap)
# PEP8: function name should use snake_case
reverseAndMirror = reverse_and_mirror
| def reverse_and_mirror(s1, s2):
swap = s1.swapcase()
return '{}@@@{}{}'.format(s2[::-1].swapcase(), swap[::-1], swap)
reverse_and_mirror = reverse_and_mirror |
'''
Brightness
==========
This API helps you to control the brightness of your primary display screen.
The :class:`Brightness` provides access to public methods to control the
brightness of screen.
NOTE:: For Android, make sure to add permission, WRITE_SETTINGS
Simple Examples
---------------
To know the current brightness level of device::
>>> from plyer import brightness
>>> brightness.current_level()
To set the brightness level to half of maximum::
>>> from plyer import brightness
>>> brightness.set_level(50)
Supported Platforms
-------------------
Android, iOS, Linux
'''
class Brightness:
'''
Brightness facade.
'''
def current_level(self):
'''
Know the current level of device's brightness.
'''
return self._current_level()
def set_level(self, level):
'''
Adjust the brightness of the screen.
Minimum brightness level:: 1
Maximum brightness level:: 100
:param level: New level of brightness between 1 and 100
:type level: int
'''
return self._set_level(level)
# private
def _set_level(self, level):
raise NotImplementedError()
def _current_level(self):
raise NotImplementedError()
| """
Brightness
==========
This API helps you to control the brightness of your primary display screen.
The :class:`Brightness` provides access to public methods to control the
brightness of screen.
NOTE:: For Android, make sure to add permission, WRITE_SETTINGS
Simple Examples
---------------
To know the current brightness level of device::
>>> from plyer import brightness
>>> brightness.current_level()
To set the brightness level to half of maximum::
>>> from plyer import brightness
>>> brightness.set_level(50)
Supported Platforms
-------------------
Android, iOS, Linux
"""
class Brightness:
"""
Brightness facade.
"""
def current_level(self):
"""
Know the current level of device's brightness.
"""
return self._current_level()
def set_level(self, level):
"""
Adjust the brightness of the screen.
Minimum brightness level:: 1
Maximum brightness level:: 100
:param level: New level of brightness between 1 and 100
:type level: int
"""
return self._set_level(level)
def _set_level(self, level):
raise not_implemented_error()
def _current_level(self):
raise not_implemented_error() |
"""
bbofuser
FILE: __init__.py
Created: 8/4/15 11:35 PM
"""
__author__ = 'Mark Scrimshire:@ekivemark'
| """
bbofuser
FILE: __init__.py
Created: 8/4/15 11:35 PM
"""
__author__ = 'Mark Scrimshire:@ekivemark' |
__all__ = ['baidusearch',
'bingsearch',
'bufferoverun',
'crtsh',
'certspottersearch',
'dnssearch',
'dogpilesearch',
'duckduckgosearch',
'exaleadsearch',
'githubcode',
'googlesearch',
'huntersearch',
'intelxsearch',
'linkedinsearch',
'netcraft',
'otxsearch',
'securitytrailssearch',
'shodansearch',
'spyse',
'takeover',
'threatcrowd',
'trello',
'twittersearch',
'virustotal',
'yahoosearch',
]
| __all__ = ['baidusearch', 'bingsearch', 'bufferoverun', 'crtsh', 'certspottersearch', 'dnssearch', 'dogpilesearch', 'duckduckgosearch', 'exaleadsearch', 'githubcode', 'googlesearch', 'huntersearch', 'intelxsearch', 'linkedinsearch', 'netcraft', 'otxsearch', 'securitytrailssearch', 'shodansearch', 'spyse', 'takeover', 'threatcrowd', 'trello', 'twittersearch', 'virustotal', 'yahoosearch'] |
def min_fine(N: int, times: list[int], fines: list[int]):
weights: list[tuple[float, int]] = []
for i in range(N):
weight = fines[i]/times[i]
weights.append((weight, i))
weights = sorted(weights, reverse=True)
time = 0
delay = 0
fine = 0
for weight in weights:
time = time + times[weight[1]]
delay = time - times[weight[1]]
fine = fine + delay * fines[weight[1]]
return fine
C = int(input())
for i in range(C):
N = int(input())
times = []
fines = []
for j in range(N):
aux_list = [int(x) for x in input().split()]
times.append(aux_list[0])
fines.append(aux_list[1])
print(min_fine(N, times, fines))
| def min_fine(N: int, times: list[int], fines: list[int]):
weights: list[tuple[float, int]] = []
for i in range(N):
weight = fines[i] / times[i]
weights.append((weight, i))
weights = sorted(weights, reverse=True)
time = 0
delay = 0
fine = 0
for weight in weights:
time = time + times[weight[1]]
delay = time - times[weight[1]]
fine = fine + delay * fines[weight[1]]
return fine
c = int(input())
for i in range(C):
n = int(input())
times = []
fines = []
for j in range(N):
aux_list = [int(x) for x in input().split()]
times.append(aux_list[0])
fines.append(aux_list[1])
print(min_fine(N, times, fines)) |
# @author Huaze Shen
# @date 2019-11-06
def is_interleave(s1, s2, s3):
if len(s1) + len(s2) != len(s3):
return False
n1 = len(s1)
n2 = len(s2)
dp = [[False for i in range(n2 + 1)] for j in range(n1 + 1)]
dp[0][0] = True
for i in range(1, n1 + 1):
if dp[i - 1][0] and s1[i - 1] == s3[i - 1]:
dp[i][0] = True
for i in range(1, n2 + 1):
if dp[0][i - 1] and s2[i - 1] == s3[i - 1]:
dp[0][i] = True
for i in range(1, n1 + 1):
for j in range(1, n2 + 1):
if dp[i - 1][j] and s1[i - 1] == s3[i + j - 1]:
dp[i][j] = True
if dp[i][j - 1] and s2[j - 1] == s3[i + j - 1]:
dp[i][j] = True
return dp[n1][n2]
if __name__ == '__main__':
s1_ = "aabcc"
s2_ = "dbbca"
s3_ = "aadbbcbcac"
print(is_interleave(s1_, s2_, s3_))
| def is_interleave(s1, s2, s3):
if len(s1) + len(s2) != len(s3):
return False
n1 = len(s1)
n2 = len(s2)
dp = [[False for i in range(n2 + 1)] for j in range(n1 + 1)]
dp[0][0] = True
for i in range(1, n1 + 1):
if dp[i - 1][0] and s1[i - 1] == s3[i - 1]:
dp[i][0] = True
for i in range(1, n2 + 1):
if dp[0][i - 1] and s2[i - 1] == s3[i - 1]:
dp[0][i] = True
for i in range(1, n1 + 1):
for j in range(1, n2 + 1):
if dp[i - 1][j] and s1[i - 1] == s3[i + j - 1]:
dp[i][j] = True
if dp[i][j - 1] and s2[j - 1] == s3[i + j - 1]:
dp[i][j] = True
return dp[n1][n2]
if __name__ == '__main__':
s1_ = 'aabcc'
s2_ = 'dbbca'
s3_ = 'aadbbcbcac'
print(is_interleave(s1_, s2_, s3_)) |
# SPDX-License-Identifier: Apache-2.0
"""
An example console application that uses the subarulink package.
For more details about this api, please refer to the documentation at
https://github.com/G-Two/subarulink
"""
| """
An example console application that uses the subarulink package.
For more details about this api, please refer to the documentation at
https://github.com/G-Two/subarulink
""" |
#
# PySNMP MIB module CADANT-CMTS-DNSCLIENT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CADANT-CMTS-DNSCLIENT-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:27:04 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsUnion")
cadLayer3, = mibBuilder.importSymbols("CADANT-PRODUCTS-MIB", "cadLayer3")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Gauge32, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, Bits, ModuleIdentity, NotificationType, Counter32, IpAddress, ObjectIdentity, Unsigned32, iso, MibIdentifier, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "Bits", "ModuleIdentity", "NotificationType", "Counter32", "IpAddress", "ObjectIdentity", "Unsigned32", "iso", "MibIdentifier", "TimeTicks")
TruthValue, DisplayString, TextualConvention, RowStatus = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "DisplayString", "TextualConvention", "RowStatus")
cadDnsClientMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8))
cadDnsClientMib.setRevisions(('2003-07-14 00:00',))
if mibBuilder.loadTexts: cadDnsClientMib.setLastUpdated('200307140000Z')
if mibBuilder.loadTexts: cadDnsClientMib.setOrganization('Cadant Inc')
cadDnsClientObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1))
cadDnsClientEnable = MibScalar((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cadDnsClientEnable.setStatus('current')
cadDnsClientDefaultDomain = MibScalar((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1, 2), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cadDnsClientDefaultDomain.setStatus('current')
cadDnsClientServerTable = MibTable((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2), )
if mibBuilder.loadTexts: cadDnsClientServerTable.setStatus('current')
cadDnsClientServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1), ).setIndexNames((0, "CADANT-CMTS-DNSCLIENT-MIB", "cadDnsClientServerIpAddr"))
if mibBuilder.loadTexts: cadDnsClientServerEntry.setStatus('current')
cadDnsClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 1), IpAddress())
if mibBuilder.loadTexts: cadDnsClientServerIpAddr.setStatus('current')
cadDnsClientServerPrefId = MibTableColumn((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cadDnsClientServerPrefId.setStatus('current')
cadDnsClientServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cadDnsClientServerRowStatus.setStatus('current')
cadDnsClientDomainNameTable = MibTable((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3), )
if mibBuilder.loadTexts: cadDnsClientDomainNameTable.setStatus('current')
cadDnsClientDomainNameEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1), ).setIndexNames((0, "CADANT-CMTS-DNSCLIENT-MIB", "cadDnsClientDomainName"))
if mibBuilder.loadTexts: cadDnsClientDomainNameEntry.setStatus('current')
cadDnsClientDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1, 1), DisplayString())
if mibBuilder.loadTexts: cadDnsClientDomainName.setStatus('current')
cadDnsClientDomainNameRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cadDnsClientDomainNameRowStatus.setStatus('current')
mibBuilder.exportSymbols("CADANT-CMTS-DNSCLIENT-MIB", cadDnsClientDefaultDomain=cadDnsClientDefaultDomain, cadDnsClientEnable=cadDnsClientEnable, cadDnsClientDomainName=cadDnsClientDomainName, cadDnsClientServerIpAddr=cadDnsClientServerIpAddr, cadDnsClientDomainNameRowStatus=cadDnsClientDomainNameRowStatus, cadDnsClientDomainNameTable=cadDnsClientDomainNameTable, cadDnsClientObjects=cadDnsClientObjects, cadDnsClientDomainNameEntry=cadDnsClientDomainNameEntry, cadDnsClientServerRowStatus=cadDnsClientServerRowStatus, cadDnsClientServerTable=cadDnsClientServerTable, PYSNMP_MODULE_ID=cadDnsClientMib, cadDnsClientServerPrefId=cadDnsClientServerPrefId, cadDnsClientMib=cadDnsClientMib, cadDnsClientServerEntry=cadDnsClientServerEntry)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, single_value_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(cad_layer3,) = mibBuilder.importSymbols('CADANT-PRODUCTS-MIB', 'cadLayer3')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(gauge32, counter64, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32, bits, module_identity, notification_type, counter32, ip_address, object_identity, unsigned32, iso, mib_identifier, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'Counter64', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32', 'Bits', 'ModuleIdentity', 'NotificationType', 'Counter32', 'IpAddress', 'ObjectIdentity', 'Unsigned32', 'iso', 'MibIdentifier', 'TimeTicks')
(truth_value, display_string, textual_convention, row_status) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'DisplayString', 'TextualConvention', 'RowStatus')
cad_dns_client_mib = module_identity((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8))
cadDnsClientMib.setRevisions(('2003-07-14 00:00',))
if mibBuilder.loadTexts:
cadDnsClientMib.setLastUpdated('200307140000Z')
if mibBuilder.loadTexts:
cadDnsClientMib.setOrganization('Cadant Inc')
cad_dns_client_objects = mib_identifier((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1))
cad_dns_client_enable = mib_scalar((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cadDnsClientEnable.setStatus('current')
cad_dns_client_default_domain = mib_scalar((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 1, 2), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cadDnsClientDefaultDomain.setStatus('current')
cad_dns_client_server_table = mib_table((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2))
if mibBuilder.loadTexts:
cadDnsClientServerTable.setStatus('current')
cad_dns_client_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1)).setIndexNames((0, 'CADANT-CMTS-DNSCLIENT-MIB', 'cadDnsClientServerIpAddr'))
if mibBuilder.loadTexts:
cadDnsClientServerEntry.setStatus('current')
cad_dns_client_server_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 1), ip_address())
if mibBuilder.loadTexts:
cadDnsClientServerIpAddr.setStatus('current')
cad_dns_client_server_pref_id = mib_table_column((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cadDnsClientServerPrefId.setStatus('current')
cad_dns_client_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 2, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cadDnsClientServerRowStatus.setStatus('current')
cad_dns_client_domain_name_table = mib_table((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3))
if mibBuilder.loadTexts:
cadDnsClientDomainNameTable.setStatus('current')
cad_dns_client_domain_name_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1)).setIndexNames((0, 'CADANT-CMTS-DNSCLIENT-MIB', 'cadDnsClientDomainName'))
if mibBuilder.loadTexts:
cadDnsClientDomainNameEntry.setStatus('current')
cad_dns_client_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1, 1), display_string())
if mibBuilder.loadTexts:
cadDnsClientDomainName.setStatus('current')
cad_dns_client_domain_name_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 4998, 1, 1, 25, 8, 3, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cadDnsClientDomainNameRowStatus.setStatus('current')
mibBuilder.exportSymbols('CADANT-CMTS-DNSCLIENT-MIB', cadDnsClientDefaultDomain=cadDnsClientDefaultDomain, cadDnsClientEnable=cadDnsClientEnable, cadDnsClientDomainName=cadDnsClientDomainName, cadDnsClientServerIpAddr=cadDnsClientServerIpAddr, cadDnsClientDomainNameRowStatus=cadDnsClientDomainNameRowStatus, cadDnsClientDomainNameTable=cadDnsClientDomainNameTable, cadDnsClientObjects=cadDnsClientObjects, cadDnsClientDomainNameEntry=cadDnsClientDomainNameEntry, cadDnsClientServerRowStatus=cadDnsClientServerRowStatus, cadDnsClientServerTable=cadDnsClientServerTable, PYSNMP_MODULE_ID=cadDnsClientMib, cadDnsClientServerPrefId=cadDnsClientServerPrefId, cadDnsClientMib=cadDnsClientMib, cadDnsClientServerEntry=cadDnsClientServerEntry) |
def can_build(env, platform):
return env["tools"]
def configure(env):
pass
| def can_build(env, platform):
return env['tools']
def configure(env):
pass |
# -*- coding: utf-8 -*-
LOGGING = {
'version': 1,
#'disable_existing_loggers': True,
'formatters': {
'verbose': {
'format': '%(asctime)s [%(process)d][%(levelname)s] %(module)s,%(funcName)s,%(lineno)s:%(message)s'
}, #, %(thread)d, %(name)s,
'performance': {
'format': '%(asctime)s [%(process)d] [%(levelname)s] %(message)s'
},
'simple': {
'format': '%(levelname)s %(message)s'
},
},
'handlers': {
'console': {
'level':'DEBUG',
'class':'logging.StreamHandler',
'formatter':'verbose'
},
'performance': {
'level':'DEBUG',
'class':'logging.handlers.RotatingFileHandler',
'formatter':'performance',
'filename':'performance.log',
'maxBytes':10240000, # 10M
'backupCount':7 # total
},
'debug': {
'level':'DEBUG',
'class':'logging.handlers.RotatingFileHandler',
'formatter':'verbose',
'filename':'debug.log',
'maxBytes':10240000,
'backupCount':7
},
'info': {
'level':'INFO',
'class':'logging.handlers.RotatingFileHandler',
'formatter':'verbose',
'filename':'info.log',
'maxBytes':10240000,
'backupCount':7
},
'warning': {
'level':'WARNING',
'class':'logging.handlers.RotatingFileHandler',
'formatter':'verbose',
'filename':'warning.log',
'maxBytes':10240000,
'backupCount':7
},
'error': {
'level':'ERROR',
'class':'logging.handlers.RotatingFileHandler',
'formatter':'verbose',
'filename':'error.log',
'maxBytes':10240000,
'backupCount':7
},
},
'loggers': {
'': {
'handlers': ['console', 'info', 'warning', 'error', 'debug'],
'level': 'DEBUG',
'propagate': True
},
'performance': {
'handlers': ['console', 'performance'],
'level': 'DEBUG',
'propagate': True
}
}
}
| logging = {'version': 1, 'formatters': {'verbose': {'format': '%(asctime)s [%(process)d][%(levelname)s] %(module)s,%(funcName)s,%(lineno)s:%(message)s'}, 'performance': {'format': '%(asctime)s [%(process)d] [%(levelname)s] %(message)s'}, 'simple': {'format': '%(levelname)s %(message)s'}}, 'handlers': {'console': {'level': 'DEBUG', 'class': 'logging.StreamHandler', 'formatter': 'verbose'}, 'performance': {'level': 'DEBUG', 'class': 'logging.handlers.RotatingFileHandler', 'formatter': 'performance', 'filename': 'performance.log', 'maxBytes': 10240000, 'backupCount': 7}, 'debug': {'level': 'DEBUG', 'class': 'logging.handlers.RotatingFileHandler', 'formatter': 'verbose', 'filename': 'debug.log', 'maxBytes': 10240000, 'backupCount': 7}, 'info': {'level': 'INFO', 'class': 'logging.handlers.RotatingFileHandler', 'formatter': 'verbose', 'filename': 'info.log', 'maxBytes': 10240000, 'backupCount': 7}, 'warning': {'level': 'WARNING', 'class': 'logging.handlers.RotatingFileHandler', 'formatter': 'verbose', 'filename': 'warning.log', 'maxBytes': 10240000, 'backupCount': 7}, 'error': {'level': 'ERROR', 'class': 'logging.handlers.RotatingFileHandler', 'formatter': 'verbose', 'filename': 'error.log', 'maxBytes': 10240000, 'backupCount': 7}}, 'loggers': {'': {'handlers': ['console', 'info', 'warning', 'error', 'debug'], 'level': 'DEBUG', 'propagate': True}, 'performance': {'handlers': ['console', 'performance'], 'level': 'DEBUG', 'propagate': True}}} |
# clp/cp/__init__.py
""" Tools for computer language processing. """
__version__ = '0.1.14'
__version_date__ = '2018-03-21'
__all__ = ['CLPError',
'serialize_str_list']
class CLPError(RuntimeError):
""" Errors encountered in processing computer language. """
pass
def serialize_str_list(name, indent, elements, line_len=78):
"""
Given a list of strings, serialize it with the specified
initial indent, with list members SQUOTEd and separated by
COMMA SPACE. Return the serialized list as a list of one or more lines,
each of length not exceeding line_len. Newlines are not appended to
the output.
"""
output = []
name_len = len(name)
out = ' ' * indent + name + '=['
out_len = len(out)
if elements:
for element in elements:
elm_len = len(element) + 4 # tswo SQUOTEs, comma, space
if out_len + elm_len > line_len:
output.append(out[0:-1])
out = (' ' * (indent + name_len + 2)) + "'" + element + "', "
out_len = len(out)
else:
out += "'" + element + "', "
out_len += elm_len
if out.endswith(', '):
out = out[0:-2]
out += ']'
output.append(out)
return output
| """ Tools for computer language processing. """
__version__ = '0.1.14'
__version_date__ = '2018-03-21'
__all__ = ['CLPError', 'serialize_str_list']
class Clperror(RuntimeError):
""" Errors encountered in processing computer language. """
pass
def serialize_str_list(name, indent, elements, line_len=78):
"""
Given a list of strings, serialize it with the specified
initial indent, with list members SQUOTEd and separated by
COMMA SPACE. Return the serialized list as a list of one or more lines,
each of length not exceeding line_len. Newlines are not appended to
the output.
"""
output = []
name_len = len(name)
out = ' ' * indent + name + '=['
out_len = len(out)
if elements:
for element in elements:
elm_len = len(element) + 4
if out_len + elm_len > line_len:
output.append(out[0:-1])
out = ' ' * (indent + name_len + 2) + "'" + element + "', "
out_len = len(out)
else:
out += "'" + element + "', "
out_len += elm_len
if out.endswith(', '):
out = out[0:-2]
out += ']'
output.append(out)
return output |
"""
Import as 'oscccan'
"""
__all__ = [
'canbus',
]
class OsccModule(object):
"""
Wrapper to CAN data specific to an OSCC module. Used with CanBus class to
communicate on the OSCC CAN bus.
"""
def __init__(self, base_arbitration_id, module_name=None):
"""
Initialize CAN data specific to OSCC module.
"""
try:
int(base_arbitration_id)
except:
raise ValueError(
'unable to represent given base_arbitration_id as an integer: ',
base_arbitration_id)
self.magic_word = [0x05, 0xCC]
self.enable_arbitration_id = base_arbitration_id
self.disable_arbitration_id = base_arbitration_id + 1
self.command_arbitration_id = base_arbitration_id + 2
self.report_arbitration_id = base_arbitration_id + 3
self.module_name = module_name
| """
Import as 'oscccan'
"""
__all__ = ['canbus']
class Osccmodule(object):
"""
Wrapper to CAN data specific to an OSCC module. Used with CanBus class to
communicate on the OSCC CAN bus.
"""
def __init__(self, base_arbitration_id, module_name=None):
"""
Initialize CAN data specific to OSCC module.
"""
try:
int(base_arbitration_id)
except:
raise value_error('unable to represent given base_arbitration_id as an integer: ', base_arbitration_id)
self.magic_word = [5, 204]
self.enable_arbitration_id = base_arbitration_id
self.disable_arbitration_id = base_arbitration_id + 1
self.command_arbitration_id = base_arbitration_id + 2
self.report_arbitration_id = base_arbitration_id + 3
self.module_name = module_name |
N = int(input())
ARRAY = []
while N != 0:
A = input().split()
if len(A) == 3:
B = int(A[1])
C = int(A[2])
elif len(A) == 2:
B = int(A[1])
if A[0] == "insert":
ARRAY.insert(B, C)
elif A[0] == "print":
print(ARRAY)
elif A[0] == "remove":
ARRAY.remove(B)
elif A[0] == "append":
ARRAY.append(B)
elif A[0] == "sort":
ARRAY.sort()
elif A[0] == "pop":
ARRAY.pop()
elif A[0] == "reverse":
ARRAY.reverse()
N -= 1
| n = int(input())
array = []
while N != 0:
a = input().split()
if len(A) == 3:
b = int(A[1])
c = int(A[2])
elif len(A) == 2:
b = int(A[1])
if A[0] == 'insert':
ARRAY.insert(B, C)
elif A[0] == 'print':
print(ARRAY)
elif A[0] == 'remove':
ARRAY.remove(B)
elif A[0] == 'append':
ARRAY.append(B)
elif A[0] == 'sort':
ARRAY.sort()
elif A[0] == 'pop':
ARRAY.pop()
elif A[0] == 'reverse':
ARRAY.reverse()
n -= 1 |
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def splitListToParts(self, head: Optional[ListNode], k: int) -> List[Optional[ListNode]]:
output = []
node, length = head, 0
while node:
length = length + 1
node = node.next
parts, remaining = length // k, length % k
prev, curr = None, head
for i in range(k):
output.append(curr)
for j in range(parts):
if curr:
prev = curr
curr = curr.next
if remaining and curr:
prev = curr
curr = curr.next
remaining -= 1
if prev:
prev.next = None
return output | class Solution:
def split_list_to_parts(self, head: Optional[ListNode], k: int) -> List[Optional[ListNode]]:
output = []
(node, length) = (head, 0)
while node:
length = length + 1
node = node.next
(parts, remaining) = (length // k, length % k)
(prev, curr) = (None, head)
for i in range(k):
output.append(curr)
for j in range(parts):
if curr:
prev = curr
curr = curr.next
if remaining and curr:
prev = curr
curr = curr.next
remaining -= 1
if prev:
prev.next = None
return output |
SERVER = "__SERVER__"
HELLO_INTERVAL = __HELLO_INTERVAL__
IDLE_TIME = __IDLE_TIME__
MAX_FAILED_CONNECTIONS = __MAX_FAILED_CONNECTIONS__
PERSIST = __PERSIST__
HELP = """
<any shell command>
Executes the command in a shell and return its output.
upload <local_file>
Uploads <local_file> to server.
download <url> <destination>
Downloads a file through HTTP(S).
zip <archive_name> <folder>
Creates a zip archive of the folder.
screenshot
Takes a screenshot.
python <command|file>
Runs a Python command or local file.
persist
Installs the agent.
clean
Uninstalls the agent.
exit
Kills the agent.
"""
| server = '__SERVER__'
hello_interval = __HELLO_INTERVAL__
idle_time = __IDLE_TIME__
max_failed_connections = __MAX_FAILED_CONNECTIONS__
persist = __PERSIST__
help = '\n<any shell command>\nExecutes the command in a shell and return its output.\n\nupload <local_file>\nUploads <local_file> to server.\n\ndownload <url> <destination>\nDownloads a file through HTTP(S).\n\nzip <archive_name> <folder>\nCreates a zip archive of the folder.\n\nscreenshot\nTakes a screenshot.\n\npython <command|file>\nRuns a Python command or local file.\n\npersist\nInstalls the agent.\n\nclean\nUninstalls the agent.\n\nexit\nKills the agent.\n' |
def test():
__msg__.good(
"Nice work! Check the solution."
)
| def test():
__msg__.good('Nice work! Check the solution.') |
#!/usr/bin/env python
for _ in range(5):
print("Hello, World!")
| for _ in range(5):
print('Hello, World!') |
def palindrome(text):
list_letters = list(text)
list_letters = list_letters[::-1]
new_text = ''.join(list_letters)
return new_text == text | def palindrome(text):
list_letters = list(text)
list_letters = list_letters[::-1]
new_text = ''.join(list_letters)
return new_text == text |
##Collect data:
#SMI: 2021/10/29
# create proposal: proposal_id('2021_3', '30000_YZhang_XZ') #create the proposal id and folder
# create proposal: proposal_id('2021_3', '30000_YZhang_Nov') #create the proposal id and folder
# create proposal: proposal_id('2021_3', '307961_Dinca') #create the proposal id and folder
# Energy: 16.1 keV, 0.77009 A
# SAXS distance 5000
# SAXS in vacuum and WAXS in vacuum
# For WAXS,
#WAXS beam center: [ 87, 97 ], there is bad pixel here could check later, (BS: X: -20.92 )
#Put Att and move bs to check the BC_WAXS, --> [ 87, 97 ]
#beam center [488, 591]
# Fisrt Run, 1 samples, make hexpod Y = -5
# Pizo_Z, 2100
sample_dict = { 1: 'XZ_S1_1_Chitosan_Cu_Fiber_Wet', 2: 'XZ_S2_2_NaCellulose', 3: 'XZ_S2_7_Crab_Chitasan', 4: 'XZ_S2_9_CuNa_CellusloseNaOH',
5: 'XZ_S2_9_CuNa_Celluslose', }
pxy_dict = { 1: ( -32800, -1000 ), 2: ( -27300, -700 ), 3: ( -16000, -1000 ), 4: ( -2600, -1000 ),
5: ( 20400, -6000 ), }
# manually measure each sampls
# Sam1,
# mov_sam(1)
# RE( measure_waxs( t = 1, waxs_angle=0, att='None', dy=0, user_name='', sample= None ) )
# Change CHI to 6 deg, do measrue_S1,, sid00005868 --> sid00005871
# Change CHI to 0 deg, do measrue_S1,,
# Sam2-5,
# For sam5, rot chi to 6, sid00005912 --> sid00005915
# Then measrue SAXS, looks like no signal in SAXS for all samples
# Second Run, 4 samples + MIT_Sample, make hexpod Y = -5
# make hexpod Y = -6
# Pizo_Z, 2100
sample_dict = { 1: 'XZ_S2_1_Wood', 2: 'XZ_S2_4_CrabTendonChitin', 3: 'YG_Standard_Al2O3',
4: 'XZ_S2_5_SquidChitin', 5: 'XZ_S2_6_CrabTendonChitosan',
6: 'Dinca_Unkown_X1', 7: 'Dinca_Unkown_X2', 8: 'Dinca_Unkown_X3', 9: 'Dinca_PowderA', 10: 'Dinca_PowderB' }
pxy_dict = { 1: ( 31789, -8000 ), 2: (25800, -700 ), 3: ( 13800, -1000 ),
4: ( 7600, -6000 ), 5: ( -4400, -6000 ), }
# name_sam( 1 )
# 2, looks nice
# 4, squid, looks find
# 5, looks nice
# sample 3, Al2O3, standard sample
# 6-10, DC samples
def measure_Al2O3( ):
WA = np.array( [ 0, 5, 7, 10, 15, 20, 25, 27, 30, 35, 40, 45, 47, 50 , 55 , 60 ])
sample = RE.md['sample']
pz_list = np.arange( -5000, 5000, 100)
for wa in WA:
for pz in pz_list:
RE( bps.mv(piezo.z, pz) )
sami = sample + '_PZ_%.0f'%piezo.z.position
RE( measure_waxs( t = 1, waxs_angle=wa, att='None', dy=0, user_name='', sample= sami ) )
def measure_One( ):
WA = np.array( [ 0, 5, 15, 25, ])
if abs(waxs.arc.user_readback.value-WA.max()) < 2:
WA = WA[::-1]
for wa in WA:
RE( measure_waxs( t = 1, waxs_angle=wa, att='None', dy=0, user_name='', sample= None ) )
def check_sample_loc( sleep = 5 ):
ks = list( sample_dict.keys() )
for k in ks:
mov_sam( k )
time.sleep( sleep )
def measure_XZ_Run2( Index = [1], N=8 ):
#Index = [1,2,3,6,7]
for i in Index:
mov_sam(i)
measure_waxs0_XZ_scany( N=N )
for i in Index:
mov_sam(i)
measure_waxs20_XZ_scany( N=N )
def measure_waxs0_XZ_scany( N=10 ):
sample = RE.md['sample']
dets = [ pil900KW, pil300KW ]
for i in range(N):
RE( measure_waxs( t = 1, waxs_angle=0, att='None', dy=0, user_name='XZ', sample= sample ) )
RE( bps.mvr(piezo.y, 500 ) )
def measure_waxs20_XZ_scany( N=10 ):
sample = RE.md['sample']
dets = [ pil900KW, pil300KW ]
for i in range(N):
RE( measure_wsaxs( t = 1, waxs_angle=20, att='None', dy=0, user_name='XZ', sample= sample ) )
RE( bps.mvr(piezo.y, 500 ) )
##################################################
############ Some convinent functions#################
#########################################################
def movx( dx ):
RE( bps.mvr(piezo.x, dx) )
def movy( dy ):
RE( bps.mvr(piezo.y, dy) )
def get_posxy( ):
return round( piezo.x.user_readback.value, 2 ),round( piezo.y.user_readback.value , 2 )
def move_waxs( waxs_angle=8.0):
RE( bps.mv(waxs, waxs_angle) )
def move_waxs_off( waxs_angle=8.0 ):
RE( bps.mv(waxs, waxs_angle) )
def move_waxs_on( waxs_angle=0.0 ):
RE( bps.mv(waxs, waxs_angle) )
def mov_sam( pos ):
px,py = pxy_dict[ pos ]
RE( bps.mv(piezo.x, px) )
RE( bps.mv(piezo.y, py) )
sample = sample_dict[pos]
print('Move to pos=%s for sample:%s'%(pos, sample ))
RE.md['sample'] = sample
def name_sam( pos ):
sample = sample_dict[pos]
print('Change sample name at pos=%s to:%s'%(pos, sample ))
RE.md['sample'] = sample
def check_saxs_sample_loc( sleep = 5 ):
ks = list( sample_dict.keys() )
for k in ks:
mov_sam( k )
time.sleep( sleep )
def snap_waxs( t=0.1 ):
dets= [ pil300KW ]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from( bp.count(dets, num=1) )
def snap_saxs( t=0.1 ):
dets= [ pil1M ]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from( bp.count(dets, num=1) )
def measure_samples_saxs_map1( ):
mov_sam( 0 )
#xlist = np.linspace( 38000, 41600, 121 ) #[ 38700, 39100, 39500, 39900, 40100 ]
#ylist = [ ]
#first try
xlist = [ 39500, ]
ylist = np.linspace( -6030, -6030 + 2 * 500, 501 ) #NO peaks beam damage?
#second try
xlist = [ 39500 - 500 ]
ylist = np.linspace( -6030, -6030 + 4 * 200, 201 ) #NO peaks, beam damage?
#Third try
xlist = [ 39500 - 1000 ]
ylist = np.linspace( -6030, -6030 + 10 * 100, 101 ) #Some peaks
#Forth try
xlist = [ 39500 + 200 ]
ylist = np.linspace( -6030, -6030 + 10 * 100, 101 ) #No Peaks, beam damage already
#Fifth try
xlist = [ 39500 + 1000 ]
ylist = np.linspace( -6030, -6030 + 10 * 100, 101 ) # #Some peaks
#six try
xlist = np.linspace( 38000, 38000 + 60 * 50, 51 ) #
ylist = [ -5200 ]
#7 try
xlist = np.linspace( 38000, 38000 + 60 * 50, 51 ) #
ylist = [ -4500 ]
print( xlist, ylist )
RE( measure_saxs_map( xlist, ylist , user_name='HZ', sample= None, att='None', ) )
def do_one_map( sam_id , xstart, ystart_up, ystart_bot, dia=3 ):
mov_sam( sam_id )
if dia ==3:
Nx = 18
xlist = np.linspace( xstart, xstart + 220 * (Nx-1), Nx)
ylist = np.linspace( ystart_up, ystart_up + 30 * 50, 51 )
sample = RE.md['sample'] + 'Up'
RE( measure_saxs_map( xlist, ylist ,t=1, user_name='HZ', sample= sample, att='None', ) )
ylist = np.linspace( ystart_bot, ystart_bot + 30 * 50, 51 )
sample = RE.md['sample'] + 'Bot'
RE( measure_saxs_map( xlist, ylist ,t=1, user_name='HZ', sample= sample, att='None', ) )
mov_sam( sam_id )
sample = RE.md['sample'] + 'ScanY'
RE(measure_saxs_scany( N=220 ,t=1, user_name='HZ', sample= sample, att='None', ))
def measure_samples_saxs_map( ):
do_one_map( 1 , xstart=35600, ystart_up = -7800, ystart_bot = -1900 )
do_one_map( 2 , xstart= 28400, ystart_up = -7300, ystart_bot = -2900 )
do_one_map( 3 , xstart=20500, ystart_up = -4200, ystart_bot = 300 )
do_one_map( 4 , xstart= 35600, ystart_up = -7800, ystart_bot = -3400 )
do_one_map( 5 , xstart= 14000, ystart_up = -5500, ystart_bot = -1000 )
do_one_map( 6 , xstart= 5000, ystart_up = -6600, ystart_bot = -3600 )
do_one_map( 7 , xstart= -11700, ystart_up = -7200, ystart_bot = -900 )
def measure_saxs_map( xlist, ylist ,t=1, user_name='HZ', sample= None, att='None', ):
if sample is None:
sample = RE.md['sample']
dets = [ pil1M ]
for px in xlist:
yield from bps.mv(piezo.x, px)
for py in ylist:
yield from bps.mv(piezo.y, py)
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position,2), y_pos=np.round(piezo.y.position,2),
saxs_z=np.round(pil1m_pos.z.position,2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time( t, t)
sample_id(user_name=user_name, sample_name=sample_name )
yield from bp.count(dets, num=1)
def measure_saxs_scany( N ,t=1, user_name='HZ', sample= None, att='None', ):
if sample is None:
sample = RE.md['sample']
dets = [ pil1M ]
for i in range(N):
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position,2), y_pos=np.round(piezo.y.position,2),
saxs_z=np.round(pil1m_pos.z.position,2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time( t, t)
sample_id(user_name=user_name, sample_name=sample_name )
yield from bp.count(dets, num=1)
yield from bps.mv(piezo.y, 30)
def measure_pindiol_current():
fs.open()
yield from bps.sleep(0.3)
pd_curr = pdcurrent1.value
fs.close()
print( '--------- Current pd_curr {}\n'.format(pd_curr))
return pd_curr
def measure_saxs( t = 1, att='None', dy=0, user_name='XZ', sample= None ):
if sample is None:
sample = RE.md['sample']
dets = [ pil1M ]
#att_in( att )
if dy:
yield from bps.mvr(piezo.y, dy )
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position,2), y_pos=np.round(piezo.y.position,2),
saxs_z=np.round(pil1m_pos.z.position,2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time( t, t)
sample_id(user_name=user_name, sample_name=sample_name )
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
#att_out( att )
sample_id(user_name='test', sample_name='test')
#det_exposure_time(0.5)
def measure_waxs( t = 1, waxs_angle=0, att='None', dy=0, user_name='XZ', sample= None ):
if sample is None:
sample = RE.md['sample']
yield from bps.mv(waxs, waxs_angle)
dets = [ pil900KW, pil300KW ]
#att_in( att )
if dy:
yield from bps.mvr(piezo.y, dy )
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position,
waxs_angle=waxs_angle, expt= t, scan_id=RE.md['scan_id'])
det_exposure_time( t, t)
sample_id(user_name=user_name, sample_name=sample_name )
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
#att_out( att )
#sample_id(user_name='test', sample_name='test')
def measure_wsaxs( t = 1, waxs_angle=20, att='None', dy=0, user_name='XZ', sample= None ):
if sample is None:
sample = RE.md['sample']
yield from bps.mv(waxs, waxs_angle)
dets = [ pil900KW, pil300KW , pil1M ]
#att_in( att )
if dy:
yield from bps.mvr(piezo.y, dy )
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_det{saxs_z}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position,
saxs_z=np.round(pil1m_pos.z.position,2), waxs_angle=waxs_angle, expt= t, scan_id=RE.md['scan_id'])
det_exposure_time( t, t)
sample_id(user_name=user_name, sample_name=sample_name )
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
#att_out( att )
#sample_id(user_name='test', sample_name='test')
def measure_series_saxs( t= [ 1 ] , dys = [0, -500, -1000, -1500, -2000, ] ):
ks = list( sample_dict.keys() )
for k in ks:
mov_sam( k )
for dy in dys:
for ti in t:
RE( measure_saxs( t = ti, att='None', dy=dy ) )
def measure_series_waxs( t= [ 1 ] , waxs_angle=20, dys = [0, -500, -1000, -1500, -2000, ] ):
ks = list( sample_dict.keys() ) [:8 ]
for k in ks:
mov_sam( k )
for dy in dys:
for ti in t:
RE( measure_waxs( t = ti, waxs_angle= waxs_angle, att='None', dy=dy ) )
def measure_waxs_multi_angles( t = 1.0, att='None', dy=0, user_name='',
saxs_on = False, waxs_angles = [ 0. , 6.5, 13. ] , inverse_angle = False ):
#waxs_angles = np.linspace(0, 65, 11) #the max range
#waxs_angles = np.linspace(0, 65, 11),
#[ 0. , 6.5, 13. , 19.5]
waxs_angle_array = np.array( waxs_angles )
if inverse_angle:
waxs_angle_array = waxs_angle_array[::-1]
dets = [ pil300KW ]
max_waxs_angle = np.max( waxs_angle_array )
for waxs_angle in waxs_angle_array:
yield from bps.mv(waxs, waxs_angle)
sample = RE.md['sample']
if dy:
yield from bps.mvr(piezo.y, dy )
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position,
waxs_angle=waxs_angle, expt= t, scan_id=RE.md['scan_id'])
print( sample_name )
if saxs_on:
if waxs_angle == max_waxs_angle:
dets = [ pil1M, pil300KW ] # waxs, maxs, saxs = [pil300KW, rayonix, pil1M]
else:
dets= [ pil300KW ]
det_exposure_time( t, t )
sample_id(user_name=user_name, sample_name=sample_name )
print(f'\n\t=== Sample: {sample_name} ===\n')
#yield from bp.scan(dets, waxs, *waxs_arc)
yield from bp.count(dets, num=1)
sample_id(user_name='test', sample_name='test')
det_exposure_time(0.5)
def snap_waxs( t=0.1 ):
dets= [ pil900KW ]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from( bp.count(dets, num=1) )
def snap_saxs( t=0.1 ):
dets= [ pil1M ]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from( bp.count(dets, num=1) )
def measure_pindiol_current():
fs.open()
yield from bps.sleep(0.3)
pd_curr = pdcurrent1.value
fs.close()
print( '--------- Current pd_curr {}\n'.format(pd_curr))
return pd_curr
| sample_dict = {1: 'XZ_S1_1_Chitosan_Cu_Fiber_Wet', 2: 'XZ_S2_2_NaCellulose', 3: 'XZ_S2_7_Crab_Chitasan', 4: 'XZ_S2_9_CuNa_CellusloseNaOH', 5: 'XZ_S2_9_CuNa_Celluslose'}
pxy_dict = {1: (-32800, -1000), 2: (-27300, -700), 3: (-16000, -1000), 4: (-2600, -1000), 5: (20400, -6000)}
sample_dict = {1: 'XZ_S2_1_Wood', 2: 'XZ_S2_4_CrabTendonChitin', 3: 'YG_Standard_Al2O3', 4: 'XZ_S2_5_SquidChitin', 5: 'XZ_S2_6_CrabTendonChitosan', 6: 'Dinca_Unkown_X1', 7: 'Dinca_Unkown_X2', 8: 'Dinca_Unkown_X3', 9: 'Dinca_PowderA', 10: 'Dinca_PowderB'}
pxy_dict = {1: (31789, -8000), 2: (25800, -700), 3: (13800, -1000), 4: (7600, -6000), 5: (-4400, -6000)}
def measure__al2_o3():
wa = np.array([0, 5, 7, 10, 15, 20, 25, 27, 30, 35, 40, 45, 47, 50, 55, 60])
sample = RE.md['sample']
pz_list = np.arange(-5000, 5000, 100)
for wa in WA:
for pz in pz_list:
re(bps.mv(piezo.z, pz))
sami = sample + '_PZ_%.0f' % piezo.z.position
re(measure_waxs(t=1, waxs_angle=wa, att='None', dy=0, user_name='', sample=sami))
def measure__one():
wa = np.array([0, 5, 15, 25])
if abs(waxs.arc.user_readback.value - WA.max()) < 2:
wa = WA[::-1]
for wa in WA:
re(measure_waxs(t=1, waxs_angle=wa, att='None', dy=0, user_name='', sample=None))
def check_sample_loc(sleep=5):
ks = list(sample_dict.keys())
for k in ks:
mov_sam(k)
time.sleep(sleep)
def measure_xz__run2(Index=[1], N=8):
for i in Index:
mov_sam(i)
measure_waxs0_xz_scany(N=N)
for i in Index:
mov_sam(i)
measure_waxs20_xz_scany(N=N)
def measure_waxs0_xz_scany(N=10):
sample = RE.md['sample']
dets = [pil900KW, pil300KW]
for i in range(N):
re(measure_waxs(t=1, waxs_angle=0, att='None', dy=0, user_name='XZ', sample=sample))
re(bps.mvr(piezo.y, 500))
def measure_waxs20_xz_scany(N=10):
sample = RE.md['sample']
dets = [pil900KW, pil300KW]
for i in range(N):
re(measure_wsaxs(t=1, waxs_angle=20, att='None', dy=0, user_name='XZ', sample=sample))
re(bps.mvr(piezo.y, 500))
def movx(dx):
re(bps.mvr(piezo.x, dx))
def movy(dy):
re(bps.mvr(piezo.y, dy))
def get_posxy():
return (round(piezo.x.user_readback.value, 2), round(piezo.y.user_readback.value, 2))
def move_waxs(waxs_angle=8.0):
re(bps.mv(waxs, waxs_angle))
def move_waxs_off(waxs_angle=8.0):
re(bps.mv(waxs, waxs_angle))
def move_waxs_on(waxs_angle=0.0):
re(bps.mv(waxs, waxs_angle))
def mov_sam(pos):
(px, py) = pxy_dict[pos]
re(bps.mv(piezo.x, px))
re(bps.mv(piezo.y, py))
sample = sample_dict[pos]
print('Move to pos=%s for sample:%s' % (pos, sample))
RE.md['sample'] = sample
def name_sam(pos):
sample = sample_dict[pos]
print('Change sample name at pos=%s to:%s' % (pos, sample))
RE.md['sample'] = sample
def check_saxs_sample_loc(sleep=5):
ks = list(sample_dict.keys())
for k in ks:
mov_sam(k)
time.sleep(sleep)
def snap_waxs(t=0.1):
dets = [pil300KW]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from bp.count(dets, num=1)
def snap_saxs(t=0.1):
dets = [pil1M]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from bp.count(dets, num=1)
def measure_samples_saxs_map1():
mov_sam(0)
xlist = [39500]
ylist = np.linspace(-6030, -6030 + 2 * 500, 501)
xlist = [39500 - 500]
ylist = np.linspace(-6030, -6030 + 4 * 200, 201)
xlist = [39500 - 1000]
ylist = np.linspace(-6030, -6030 + 10 * 100, 101)
xlist = [39500 + 200]
ylist = np.linspace(-6030, -6030 + 10 * 100, 101)
xlist = [39500 + 1000]
ylist = np.linspace(-6030, -6030 + 10 * 100, 101)
xlist = np.linspace(38000, 38000 + 60 * 50, 51)
ylist = [-5200]
xlist = np.linspace(38000, 38000 + 60 * 50, 51)
ylist = [-4500]
print(xlist, ylist)
re(measure_saxs_map(xlist, ylist, user_name='HZ', sample=None, att='None'))
def do_one_map(sam_id, xstart, ystart_up, ystart_bot, dia=3):
mov_sam(sam_id)
if dia == 3:
nx = 18
xlist = np.linspace(xstart, xstart + 220 * (Nx - 1), Nx)
ylist = np.linspace(ystart_up, ystart_up + 30 * 50, 51)
sample = RE.md['sample'] + 'Up'
re(measure_saxs_map(xlist, ylist, t=1, user_name='HZ', sample=sample, att='None'))
ylist = np.linspace(ystart_bot, ystart_bot + 30 * 50, 51)
sample = RE.md['sample'] + 'Bot'
re(measure_saxs_map(xlist, ylist, t=1, user_name='HZ', sample=sample, att='None'))
mov_sam(sam_id)
sample = RE.md['sample'] + 'ScanY'
re(measure_saxs_scany(N=220, t=1, user_name='HZ', sample=sample, att='None'))
def measure_samples_saxs_map():
do_one_map(1, xstart=35600, ystart_up=-7800, ystart_bot=-1900)
do_one_map(2, xstart=28400, ystart_up=-7300, ystart_bot=-2900)
do_one_map(3, xstart=20500, ystart_up=-4200, ystart_bot=300)
do_one_map(4, xstart=35600, ystart_up=-7800, ystart_bot=-3400)
do_one_map(5, xstart=14000, ystart_up=-5500, ystart_bot=-1000)
do_one_map(6, xstart=5000, ystart_up=-6600, ystart_bot=-3600)
do_one_map(7, xstart=-11700, ystart_up=-7200, ystart_bot=-900)
def measure_saxs_map(xlist, ylist, t=1, user_name='HZ', sample=None, att='None'):
if sample is None:
sample = RE.md['sample']
dets = [pil1M]
for px in xlist:
yield from bps.mv(piezo.x, px)
for py in ylist:
yield from bps.mv(piezo.y, py)
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position, 2), y_pos=np.round(piezo.y.position, 2), saxs_z=np.round(pil1m_pos.z.position, 2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
yield from bp.count(dets, num=1)
def measure_saxs_scany(N, t=1, user_name='HZ', sample=None, att='None'):
if sample is None:
sample = RE.md['sample']
dets = [pil1M]
for i in range(N):
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position, 2), y_pos=np.round(piezo.y.position, 2), saxs_z=np.round(pil1m_pos.z.position, 2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
yield from bp.count(dets, num=1)
yield from bps.mv(piezo.y, 30)
def measure_pindiol_current():
fs.open()
yield from bps.sleep(0.3)
pd_curr = pdcurrent1.value
fs.close()
print('--------- Current pd_curr {}\n'.format(pd_curr))
return pd_curr
def measure_saxs(t=1, att='None', dy=0, user_name='XZ', sample=None):
if sample is None:
sample = RE.md['sample']
dets = [pil1M]
if dy:
yield from bps.mvr(piezo.y, dy)
name_fmt = '{sample}_x{x_pos}_y{y_pos}_det{saxs_z}m_expt{expt}s_att{att}_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=np.round(piezo.x.position, 2), y_pos=np.round(piezo.y.position, 2), saxs_z=np.round(pil1m_pos.z.position, 2), expt=t, att=att, scan_id=RE.md['scan_id'])
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
sample_id(user_name='test', sample_name='test')
def measure_waxs(t=1, waxs_angle=0, att='None', dy=0, user_name='XZ', sample=None):
if sample is None:
sample = RE.md['sample']
yield from bps.mv(waxs, waxs_angle)
dets = [pil900KW, pil300KW]
if dy:
yield from bps.mvr(piezo.y, dy)
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position, waxs_angle=waxs_angle, expt=t, scan_id=RE.md['scan_id'])
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
def measure_wsaxs(t=1, waxs_angle=20, att='None', dy=0, user_name='XZ', sample=None):
if sample is None:
sample = RE.md['sample']
yield from bps.mv(waxs, waxs_angle)
dets = [pil900KW, pil300KW, pil1M]
if dy:
yield from bps.mvr(piezo.y, dy)
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_det{saxs_z}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position, saxs_z=np.round(pil1m_pos.z.position, 2), waxs_angle=waxs_angle, expt=t, scan_id=RE.md['scan_id'])
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
print(f'\n\t=== Sample: {sample_name} ===\n')
print('Collect data here....')
yield from bp.count(dets, num=1)
def measure_series_saxs(t=[1], dys=[0, -500, -1000, -1500, -2000]):
ks = list(sample_dict.keys())
for k in ks:
mov_sam(k)
for dy in dys:
for ti in t:
re(measure_saxs(t=ti, att='None', dy=dy))
def measure_series_waxs(t=[1], waxs_angle=20, dys=[0, -500, -1000, -1500, -2000]):
ks = list(sample_dict.keys())[:8]
for k in ks:
mov_sam(k)
for dy in dys:
for ti in t:
re(measure_waxs(t=ti, waxs_angle=waxs_angle, att='None', dy=dy))
def measure_waxs_multi_angles(t=1.0, att='None', dy=0, user_name='', saxs_on=False, waxs_angles=[0.0, 6.5, 13.0], inverse_angle=False):
waxs_angle_array = np.array(waxs_angles)
if inverse_angle:
waxs_angle_array = waxs_angle_array[::-1]
dets = [pil300KW]
max_waxs_angle = np.max(waxs_angle_array)
for waxs_angle in waxs_angle_array:
yield from bps.mv(waxs, waxs_angle)
sample = RE.md['sample']
if dy:
yield from bps.mvr(piezo.y, dy)
name_fmt = '{sample}_x{x_pos:05.2f}_y{y_pos:05.2f}_z{z_pos:05.2f}_waxs{waxs_angle:05.2f}_expt{expt}s_sid{scan_id:08d}'
sample_name = name_fmt.format(sample=sample, x_pos=piezo.x.position, y_pos=piezo.y.position, z_pos=piezo.z.position, waxs_angle=waxs_angle, expt=t, scan_id=RE.md['scan_id'])
print(sample_name)
if saxs_on:
if waxs_angle == max_waxs_angle:
dets = [pil1M, pil300KW]
else:
dets = [pil300KW]
det_exposure_time(t, t)
sample_id(user_name=user_name, sample_name=sample_name)
print(f'\n\t=== Sample: {sample_name} ===\n')
yield from bp.count(dets, num=1)
sample_id(user_name='test', sample_name='test')
det_exposure_time(0.5)
def snap_waxs(t=0.1):
dets = [pil900KW]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from bp.count(dets, num=1)
def snap_saxs(t=0.1):
dets = [pil1M]
sample_id(user_name='test', sample_name='test')
det_exposure_time(t)
yield from bp.count(dets, num=1)
def measure_pindiol_current():
fs.open()
yield from bps.sleep(0.3)
pd_curr = pdcurrent1.value
fs.close()
print('--------- Current pd_curr {}\n'.format(pd_curr))
return pd_curr |
"""
Defined Washington State Leaf Data Systems dataset fields.
Cannabis Data Science Meetup Group
Copyright (c) 2022 Cannlytics
Authors: Keegan Skeate <keegan@cannlytics.com>
Created: 1/18/2022
Updated: 1/19/2022
License: MIT License <https://opensource.org/licenses/MIT>
"""
#------------------------------------------------------------------------------
# Lab result fields.
#------------------------------------------------------------------------------
lab_result_fields = {
'global_id' : 'string',
'mme_id' : 'string',
'intermediate_type' : 'category',
'status' : 'category',
'global_for_inventory_id': 'string',
'cannabinoid_status' : 'category',
'cannabinoid_d9_thca_percent': 'float16',
'cannabinoid_d9_thca_mg_g' : 'float16',
'cannabinoid_d9_thc_percent' : 'float16',
'cannabinoid_d9_thc_mg_g' : 'float16',
'cannabinoid_d8_thc_percent' : 'float16',
'cannabinoid_d8_thc_mg_g' : 'float16',
'cannabinoid_cbd_percent' : 'float16',
'cannabinoid_cbd_mg_g' : 'float16',
'cannabinoid_cbda_percent' : 'float16',
'cannabinoid_cbda_mg_g' : 'float16',
'cannabinoid_cbdv_percent' : 'float16',
'cannabinoid_cbg_percent' : 'float16',
'cannabinoid_cbg_mg_g' : 'float16',
'solvent_status' : 'category',
'solvent_acetone_ppm' : 'float16',
'solvent_benzene_ppm' : 'float16',
'solvent_butanes_ppm' : 'float16',
'solvent_chloroform_ppm' : 'float16',
'solvent_cyclohexane_ppm' : 'float16',
'solvent_dichloromethane_ppm' : 'float16',
'solvent_ethyl_acetate_ppm' : 'float16',
'solvent_heptane_ppm' : 'float16',
'solvent_hexanes_ppm' : 'float16',
'solvent_isopropanol_ppm' : 'float16',
'solvent_methanol_ppm' : 'float16',
'solvent_pentanes_ppm' : 'float16',
'solvent_propane_ppm' : 'float16',
'solvent_toluene_ppm' : 'float16',
'solvent_xylene_ppm' : 'float16',
'foreign_matter' : 'bool',
'foreign_matter_stems': 'float16',
'foreign_matter_seeds': 'float16',
'microbial_status' : 'category',
'microbial_bile_tolerant_cfu_g' : 'float16',
'microbial_pathogenic_e_coli_cfu_g' : 'float16',
'microbial_salmonella_cfu_g' : 'float16',
'moisture_content_percent' : 'float16',
'moisture_content_water_activity_rate' : 'float16',
'mycotoxin_status' : 'category',
'mycotoxin_aflatoxins_ppb' : 'float16',
'mycotoxin_ochratoxin_ppb' : 'float16',
'thc_percent' : 'float16',
'notes' : 'float32',
'testing_status' : 'category',
'type' : 'category',
'inventory_id' : 'string',
'batch_id' : 'string',
'parent_lab_result_id' : 'string',
'og_parent_lab_result_id' : 'string',
'copied_from_lab_id' : 'string',
'external_id' : 'string',
'lab_user_id' : 'string',
'user_id' : 'string',
'cannabinoid_editor' : 'float32',
'microbial_editor' : 'string',
'mycotoxin_editor' : 'string',
'solvent_editor' : 'string',
}
lab_result_date_fields = [
'created_at',
'deleted_at',
'updated_at',
'received_at',
]
#------------------------------------------------------------------------------
# Inventories fields.
#------------------------------------------------------------------------------
licensee_fields = {
'global_id' : 'string',
'name': 'string',
'type': 'string',
'code': 'string',
'address1': 'string',
'address2': 'string',
'city': 'string',
'state_code': 'string',
'postal_code': 'string',
'country_code': 'string',
'phone': 'string',
'external_id': 'string',
'certificate_number': 'string',
'is_live': 'bool',
'suspended': 'bool',
}
licensee_date_fields = [
'created_at', # No records if issued before 2018-02-21.
'updated_at',
'deleted_at',
'expired_at',
]
#------------------------------------------------------------------------------
# Inventories fields.
#------------------------------------------------------------------------------
inventory_fields = {
'global_id' : 'string',
'strain_id': 'string',
'inventory_type_id': 'string',
'qty': 'float16',
'uom': 'string',
'mme_id': 'string',
'user_id': 'string',
'external_id': 'string',
'area_id': 'string',
'batch_id': 'string',
'lab_result_id': 'string',
'lab_retest_id': 'string',
'is_initial_inventory': 'bool',
'created_by_mme_id': 'string',
'additives': 'string',
'serving_num': 'float16',
'sent_for_testing': 'bool',
'medically_compliant': 'string',
'legacy_id': 'string',
'lab_results_attested': 'int',
'global_original_id': 'string',
}
inventory_date_fields = [
'created_at', # No records if issued before 2018-02-21.
'updated_at',
'deleted_at',
'inventory_created_at',
'inventory_packaged_at',
'lab_results_date',
]
#------------------------------------------------------------------------------
# Inventory type fields.
#------------------------------------------------------------------------------
inventory_type_fields = {
'global_id': 'string',
'mme_id': 'string',
'user_id': 'string',
'external_id': 'string',
'uom': 'string',
'name': 'string',
'intermediate_type': 'string',
}
inventory_type_date_fields = [
'created_at',
'updated_at',
'deleted_at',
]
#------------------------------------------------------------------------------
# Strain fields.
#------------------------------------------------------------------------------
strain_fields = {
'mme_id': 'string',
'user_id': 'string',
'global_id': 'string',
'external_id': 'string',
'name': 'string',
}
strain_date_fields = [
'created_at',
'updated_at',
'deleted_at',
]
| """
Defined Washington State Leaf Data Systems dataset fields.
Cannabis Data Science Meetup Group
Copyright (c) 2022 Cannlytics
Authors: Keegan Skeate <keegan@cannlytics.com>
Created: 1/18/2022
Updated: 1/19/2022
License: MIT License <https://opensource.org/licenses/MIT>
"""
lab_result_fields = {'global_id': 'string', 'mme_id': 'string', 'intermediate_type': 'category', 'status': 'category', 'global_for_inventory_id': 'string', 'cannabinoid_status': 'category', 'cannabinoid_d9_thca_percent': 'float16', 'cannabinoid_d9_thca_mg_g': 'float16', 'cannabinoid_d9_thc_percent': 'float16', 'cannabinoid_d9_thc_mg_g': 'float16', 'cannabinoid_d8_thc_percent': 'float16', 'cannabinoid_d8_thc_mg_g': 'float16', 'cannabinoid_cbd_percent': 'float16', 'cannabinoid_cbd_mg_g': 'float16', 'cannabinoid_cbda_percent': 'float16', 'cannabinoid_cbda_mg_g': 'float16', 'cannabinoid_cbdv_percent': 'float16', 'cannabinoid_cbg_percent': 'float16', 'cannabinoid_cbg_mg_g': 'float16', 'solvent_status': 'category', 'solvent_acetone_ppm': 'float16', 'solvent_benzene_ppm': 'float16', 'solvent_butanes_ppm': 'float16', 'solvent_chloroform_ppm': 'float16', 'solvent_cyclohexane_ppm': 'float16', 'solvent_dichloromethane_ppm': 'float16', 'solvent_ethyl_acetate_ppm': 'float16', 'solvent_heptane_ppm': 'float16', 'solvent_hexanes_ppm': 'float16', 'solvent_isopropanol_ppm': 'float16', 'solvent_methanol_ppm': 'float16', 'solvent_pentanes_ppm': 'float16', 'solvent_propane_ppm': 'float16', 'solvent_toluene_ppm': 'float16', 'solvent_xylene_ppm': 'float16', 'foreign_matter': 'bool', 'foreign_matter_stems': 'float16', 'foreign_matter_seeds': 'float16', 'microbial_status': 'category', 'microbial_bile_tolerant_cfu_g': 'float16', 'microbial_pathogenic_e_coli_cfu_g': 'float16', 'microbial_salmonella_cfu_g': 'float16', 'moisture_content_percent': 'float16', 'moisture_content_water_activity_rate': 'float16', 'mycotoxin_status': 'category', 'mycotoxin_aflatoxins_ppb': 'float16', 'mycotoxin_ochratoxin_ppb': 'float16', 'thc_percent': 'float16', 'notes': 'float32', 'testing_status': 'category', 'type': 'category', 'inventory_id': 'string', 'batch_id': 'string', 'parent_lab_result_id': 'string', 'og_parent_lab_result_id': 'string', 'copied_from_lab_id': 'string', 'external_id': 'string', 'lab_user_id': 'string', 'user_id': 'string', 'cannabinoid_editor': 'float32', 'microbial_editor': 'string', 'mycotoxin_editor': 'string', 'solvent_editor': 'string'}
lab_result_date_fields = ['created_at', 'deleted_at', 'updated_at', 'received_at']
licensee_fields = {'global_id': 'string', 'name': 'string', 'type': 'string', 'code': 'string', 'address1': 'string', 'address2': 'string', 'city': 'string', 'state_code': 'string', 'postal_code': 'string', 'country_code': 'string', 'phone': 'string', 'external_id': 'string', 'certificate_number': 'string', 'is_live': 'bool', 'suspended': 'bool'}
licensee_date_fields = ['created_at', 'updated_at', 'deleted_at', 'expired_at']
inventory_fields = {'global_id': 'string', 'strain_id': 'string', 'inventory_type_id': 'string', 'qty': 'float16', 'uom': 'string', 'mme_id': 'string', 'user_id': 'string', 'external_id': 'string', 'area_id': 'string', 'batch_id': 'string', 'lab_result_id': 'string', 'lab_retest_id': 'string', 'is_initial_inventory': 'bool', 'created_by_mme_id': 'string', 'additives': 'string', 'serving_num': 'float16', 'sent_for_testing': 'bool', 'medically_compliant': 'string', 'legacy_id': 'string', 'lab_results_attested': 'int', 'global_original_id': 'string'}
inventory_date_fields = ['created_at', 'updated_at', 'deleted_at', 'inventory_created_at', 'inventory_packaged_at', 'lab_results_date']
inventory_type_fields = {'global_id': 'string', 'mme_id': 'string', 'user_id': 'string', 'external_id': 'string', 'uom': 'string', 'name': 'string', 'intermediate_type': 'string'}
inventory_type_date_fields = ['created_at', 'updated_at', 'deleted_at']
strain_fields = {'mme_id': 'string', 'user_id': 'string', 'global_id': 'string', 'external_id': 'string', 'name': 'string'}
strain_date_fields = ['created_at', 'updated_at', 'deleted_at'] |
# coding=utf-8
# Marcelo Ambrosio de Goes
# marcelogoes@gmail.com
# 2022-03-25
# 100 Days of Code: The Complete Python Pro Bootcamp for 2022
# Day 39 - Flight Deal Finder
class FlightData:
def __init__(self, price, origin_city, origin_airport, destination_city, destination_airport, out_date, return_date):
self.price = price
self.origin_city = origin_city
self.origin_airport = origin_airport
self.destination_city = destination_city
self.destination_airport = destination_airport
self.out_date = out_date
self.return_date = return_date | class Flightdata:
def __init__(self, price, origin_city, origin_airport, destination_city, destination_airport, out_date, return_date):
self.price = price
self.origin_city = origin_city
self.origin_airport = origin_airport
self.destination_city = destination_city
self.destination_airport = destination_airport
self.out_date = out_date
self.return_date = return_date |
def publish_release(source, config, target):
"""
Publish a new release as a Docker image
This is a mock implementation used for unit tests
"""
return None
| def publish_release(source, config, target):
"""
Publish a new release as a Docker image
This is a mock implementation used for unit tests
"""
return None |
def check_prime(number):
# remove pass and write your logic here. if the number is prime return true, else return false
if(number > 1):
for each in range(2, number):
if(number % each) == 0:
return False
return True
return False
def rotations(num):
# remove pass and write your logic here. It should return the list of different combinations of digits of the given number.
# Rotation should be done in clockwise direction. For example, if the given number is 197, the list returned should be [197, 971, 719]
list_permutation = []
x = len(str(num))
pow_ten = pow(10, x-1)
for _ in range(x-1):
first_digit = num // pow_ten
left_shift = (num*10+first_digit-(first_digit*pow_ten*10))
list_permutation.append(left_shift)
num = left_shift
return list_permutation
def get_circular_prime_count(limit):
# remove pass and write your logic here.It should return the count of circular prime numbers below the given limit.
final_primes = []
for each in range(2, limit):
prime_list = rotations(each)
print(prime_list)
# print(prime_list)
for value in prime_list:
if(check_prime(value)):
final_primes.append(value)
return final_primes
# Provide different values for limit and test your program
print(get_circular_prime_count(10))
| def check_prime(number):
if number > 1:
for each in range(2, number):
if number % each == 0:
return False
return True
return False
def rotations(num):
list_permutation = []
x = len(str(num))
pow_ten = pow(10, x - 1)
for _ in range(x - 1):
first_digit = num // pow_ten
left_shift = num * 10 + first_digit - first_digit * pow_ten * 10
list_permutation.append(left_shift)
num = left_shift
return list_permutation
def get_circular_prime_count(limit):
final_primes = []
for each in range(2, limit):
prime_list = rotations(each)
print(prime_list)
for value in prime_list:
if check_prime(value):
final_primes.append(value)
return final_primes
print(get_circular_prime_count(10)) |
class TestResult:
def __init__(self):
self.runCount = 0
self.errorCount = 0
def testStarted(self):
self.runCount = self.runCount + 1
def testFailed(self):
self.errorCount = self.errorCount + 1
def summary(self):
return '%d run, %d failed' % (self.runCount, self.errorCount)
| class Testresult:
def __init__(self):
self.runCount = 0
self.errorCount = 0
def test_started(self):
self.runCount = self.runCount + 1
def test_failed(self):
self.errorCount = self.errorCount + 1
def summary(self):
return '%d run, %d failed' % (self.runCount, self.errorCount) |
class Solution(object):
def __init__(self):
self.ans = ""
def DFS(self, node, visited, k):
for num in map(str, range(k)):
nodeCur = node + num
if nodeCur not in visited:
visited.add(nodeCur)
self.DFS(nodeCur[1:], visited, k)
self.ans += num
def crackSafe(self, n, k):
"""
:type n: int
:type k: int
:rtype: str
"""
node = "0" * (n - 1)
visited = set()
self.DFS(node, visited, k)
return self.ans + "0" * (n - 1)
mySolution = Solution()
print(mySolution.crackSafe(3, 2)) | class Solution(object):
def __init__(self):
self.ans = ''
def dfs(self, node, visited, k):
for num in map(str, range(k)):
node_cur = node + num
if nodeCur not in visited:
visited.add(nodeCur)
self.DFS(nodeCur[1:], visited, k)
self.ans += num
def crack_safe(self, n, k):
"""
:type n: int
:type k: int
:rtype: str
"""
node = '0' * (n - 1)
visited = set()
self.DFS(node, visited, k)
return self.ans + '0' * (n - 1)
my_solution = solution()
print(mySolution.crackSafe(3, 2)) |
def isPalindrome(s):
return s == s[::-1]
def test_answer():
assert isPalindrome("software engineering gnireenigne erawtfos") == True
assert isPalindrome("HomeWork 2 Github Homework") == False
assert isPalindrome("reviver") == True
assert isPalindrome("Group12orG") == False
assert isPalindrome("wasitacatisaw") == True
assert isPalindrome("SE is cool SE") == False
assert isPalindrome("rotator") == True
| def is_palindrome(s):
return s == s[::-1]
def test_answer():
assert is_palindrome('software engineering gnireenigne erawtfos') == True
assert is_palindrome('HomeWork 2 Github Homework') == False
assert is_palindrome('reviver') == True
assert is_palindrome('Group12orG') == False
assert is_palindrome('wasitacatisaw') == True
assert is_palindrome('SE is cool SE') == False
assert is_palindrome('rotator') == True |
class Serializable:
@classmethod
def from_json(cls, obj):
return cls(**obj)
def __str__(self):
s = F'{type(self).__name__} @ {id(self)}\n'
for k, v in self.__dict__.items():
s += F'{k} -> {v}\n'
return s
def print_tree(obj, indent=2):
if type(obj) in (bool, str, chr, int, float, complex):
print(F'({type(obj).__name__}) {obj}')
elif obj is None:
print('None')
elif type(obj) in (list, tuple):
print(F'{type(obj).__name__}:')
for k in obj:
print(' '*indent, end='')
print_tree(k, indent=indent+2)
else:
if type(obj) is dict:
d = obj
else:
d = obj.__dict__
print(F'{type(obj).__name__}:')
for k, v in d.items():
print(' '*indent, end='')
print(F'{k} = ', end='')
print_tree(v, indent=indent+2)
| class Serializable:
@classmethod
def from_json(cls, obj):
return cls(**obj)
def __str__(self):
s = f'{type(self).__name__} @ {id(self)}\n'
for (k, v) in self.__dict__.items():
s += f'{k} -> {v}\n'
return s
def print_tree(obj, indent=2):
if type(obj) in (bool, str, chr, int, float, complex):
print(f'({type(obj).__name__}) {obj}')
elif obj is None:
print('None')
elif type(obj) in (list, tuple):
print(f'{type(obj).__name__}:')
for k in obj:
print(' ' * indent, end='')
print_tree(k, indent=indent + 2)
else:
if type(obj) is dict:
d = obj
else:
d = obj.__dict__
print(f'{type(obj).__name__}:')
for (k, v) in d.items():
print(' ' * indent, end='')
print(f'{k} = ', end='')
print_tree(v, indent=indent + 2) |
getting_started = {
'title': 'Getting Started',
'questions': [
{
'q': 'How does HDX define humanitarian data?',
'a': 'We define humanitarian data as: '
'<ol>'
'<li> data about the context in which a humanitarian crisis is occurring (e.g., baseline/development data, '
'damage assessments, geospatial data)</li>'
'<li> data about the people affected by the crisis and their needs </li> '
'<li> data about the response by organisations and people seeking to help those who need assistance.</li>'
'</ol>',
},
{
'q': 'Is HDX open source?',
'a': 'Yes. HDX uses an open-source software called <a target="_blank" href="http://ckan.org/">CKAN</a> '
'for our technical back-end. You can find all of our code on '
'<a target="_blank" href="https://github.com/OCHA-DAP">GitHub</a>.',
},
{
'q': 'What browsers are best to use for HDX?',
'a': 'We build and test HDX using the latest versions of Chrome and Firefox. We also test on Internet '
'Explorer 10 and later, but do not formally support it.',
},
{
'q': 'How do I register an account with HDX?',
'a': 'You can register by clicking on \'Sign Up\' on the upper-right corner of any HDX page.',
},
{
'q': 'What if I forget my username and password?',
'a': 'Use our <a target="_blank" href="https://data.humdata.org/user/reset">password recovery form</a> to reset your account '
'details. Enter your username or e-mail and we will send you an e-mail with a link to create a new password.',
},
{
'q': 'What are the benefits of being a registered user?',
'a': 'Anyone can view and download the data from the site, but registered users can access more features. '
'After signing up you can: '
'<ol>'
'<li> Contact data contributors to ask for more information about their data. </li> '
'<li> Request access to the underlying data for metadata only entries (our HDX Connect feature). </li>'
'<li> Join organisations to share data or to access private data, depending on your role within the organisation, e.g. an admin, editor, or member of the organisation (see more below). </li>'
'<li> Request to create a new organisation and if approved, share data publicly or privately. </li>'
'<li> Add data visualizations as showcase items alongside your organisations datasets. </li>'
'<li> Follow the latest changes to data. </li>'
'</ol> ',
},
{
'q': 'What does it mean to \'follow\' data?',
'a': 'HDX allows registered users to follow the data they are interested in. Updates to the datasets '
'that you follow will appear as a running list in your user dashboard(accessible from your user name '
'in the top right of every page when you are logged in). You can follow data, organisations, locations, '
'topics and crises.',
},
{
'q': 'How do I request access to a dataset where I can only see metadata?',
'a': 'You\'ll find a \'Request Access\' button for datasets where only metadata is provided. '
'The HDX Connect feature makes it possible to discover what data is available or what data collection initiatives are underway. '
'Only registered users have the ability to contact the organisation through the request access module. '
'The administrator for the contributing organisation can decide whether to accept or deny the request. '
'Once the connection is made, HDX is not involved in the decision to share the data. '
'Learn more about HDX Connect <a target="_blank" href="https://centre.humdata.org/a-new-call-to-action-sharing-the-existence-of-data/">here</a>. Find all \'by request\' datasets <a target="_blank" href="https://data.humdata.org/search?ext_requestdata=1&q=&ext_page_size=25">here</a>.',
},
{
'q': 'How do I contact a data contributor?',
'a': 'You\'ll find a \'contact the contributor\' link below the title of the data on all the dataset pages. Please find more details '
'<a target="_blank" href="https://centre.humdata.org/new-features-contact-the-contributor-and-group-message/">here</a>.',
}
]
}
organizations = {
'title': 'Organisations',
'questions': [
{
'q': 'What is an organisation?',
'a': 'Organisations in HDX can be legal entities, such as WFP, or informal groups, such as the Shelter '
'Cluster or Information Management Working Group for a specific country. Data can only be shared on HDX '
'through an organisation. The HDX team verifies all organisations to ensure they are trusted and have '
'relevant data to share with the HDX user community.',
},
{
'q': 'Where can I see how popular an organisation\'s datasets are?',
'a': 'On an organisation\'s page, click on the \'Stats\' tab to see how many visitors an organisation has '
'received and which datasets are most popular in terms of downloads. Here\'s an '
'<a target="_blank" href="https://data.humdata.org/organization/stats/un-operational-satellite-appplications-programme-unosat">example</a>. '
'The number of unique visitors is approximate and is based on the browser someone uses when visiting HDX. A user visiting from different '
'browsers or from different devices will be counted separately.'
'<br/><br/>'
'You can also see a timeline of how often an individual dataset has been downloaded on each dataset page. The download timeline '
'is located on the left side of a dataset page, just beside the dataset description. '
'Downloads for a dataset are counted as the total number of downloads of any resource in a dataset, with '
'repeated downloads of the same resource by the same user being counted a maximum of once per day. '
'<br/><br/>'
'There is a delay, usually less than one day, between when a user views a page or downloads a resource '
'on HDX and when the activity is visible in these graphs and figures.',
},
{
'q': 'How do I create an organisation?',
'a': 'You can request an organisation through the \'Add Data\' button. We ask you to submit the following '
'information: an organisation name, description and link to an organisation-related website (optional). '
'We review this information and then either accept the request or ask for more information, such as a '
'sample dataset.',
},
{
'q': 'How do I request organisation membership?',
'a': 'Registered users can request membership through the organisation\'s profile page. Click on the '
'\'Request Membership\' button and a request will be sent to the organisation\'s administrator(s). '
'The requestor can not specify the role (i.e., admin, editor or member). Instead, the person receiving '
'the request assigns the role.',
},
{
'q': 'How does organisation membership work?',
'a': 'Organisation membership includes three roles:'
'<ul>'
'<li>Administrators can add, edit and delete datasets belonging to the organisation and accept '
'or refuse new member requests.</li>'
'<li>Editors can add, edit and delete datasets belonging to the organisation but cannot manage '
'membership.</li>'
'<li>Members can view the organisation\'s private datasets, but cannot add new datasets or manage '
'membership.</li>'
'</ul>'
'<p>The user who requests the creation of an organisation is assigned an administrator role. That '
'person can invite other HDX users into their organisation and assign them one of the three roles above, '
'or registered users on HDX can request membership from the organisation\'s administrator(s).</p>',
},
{
'q': 'I\'m an organisation admin. How do I add/remove members?',
'a': 'For full details on managing members, please read '
'<a target="_blank" href="http://drive.google.com/open?id=1MR3_pVVCwxqZV2RVYKBYpQom1K0yuO866_VwltSa1vM">this document</a>.',
},
{
'q': 'Can I be part of more than one organisation?',
'a': 'Yes. Registered users can be part of several organisations. ',
},
{
'q': 'I don\'t see my organisation. What should I do? ',
'a': 'If your organisation is not listed, you can request to create one or you may want to join an existing organisation via your <a target="_blank" href="https://data.humdata.org/dashboard/">dashboard</a>. '
'For instance, there may be a WFP organisation that was '
'created by its staff at headquarters in Rome. You may prefer to join that one rather than creating a '
'separate organisation for a specific location, e.g., WFP Liberia. You can see the full list of '
'<br/><br/>'
'If you have previously created an organisation and no longer see it on the site, this is because you '
'have not yet shared a public dataset. Once you share a dataset, your organisation will become active and visible on the site. '
'For details on how to upload a dataset, see '
'<a target="_blank" href="https://data.humdata.org/faq#auto-faq-Sharing_and_Using_Data-How_do_I_add_a_dataset_-a">"How do I add a dataset?"</a>. ',
},
{
'q': 'Can an organisation have more than one administrator?',
'a': 'Yes. Each administrator is able to manage datasets and membership. If a user requests membership, the '
'request will be sent to all organisation administrators. The decision to accept or deny a membership '
'request will be taken by whichever administrator acts first. The other administrators are not alerted '
'to this action. We are planning to make this process more clear in future versions of the platform, '
'so please bear with us!',
},
{
'q': 'How do I create a branded organisation page on HDX?',
'a': 'HDX offers custom organisation pages to all organisations on the site. The page includes the '
'organisation\'s logo and colour palette, topline figures, space for a data visualization and the list '
'of datasets. '
'If you would like a custom page, send a request to <a href="mailto:hdx@un.org">hdx@un.org</a>.',
},
{
'q': 'How do I use the Group Message feature?',
'a': '\'Group message\' lets members of an organisation send messages to all other members of their organisation. '
'Please find more details '
'<a target="_blank" href="https://centre.humdata.org/new-features-contact-the-contributor-and-group-message/">here</a>.'
},
{
'q': 'I changed my job - what happens to my account?',
'a': 'You can keep your account. On the organisation page that you\'re a part of, click the link to \'Leave '
'this organisation\'. If you want to change the e-mail address associated with your account, click on '
'your username on the upper-right corner of any HDX page and then select \'User Settings\'. From there, '
'you can update your profile.'
}
]
}
sharing_data = {
'title': 'Sharing and Using Data',
'questions': [
{
'q': 'How do I share data on HDX?',
'a': 'Data on HDX is shared through organisations. You need to be a member of an organisation (with '
'appropriate privileges) before you can contribute data. If you have data to share, you can either '
'request to create a new organisation or ask to join an existing one. (See the <a href="#body-faq-Organisations">Organisations section</a> above.)'
'There are three ways to share data on HDX: '
'<br/><br/>'
'Public - Data shared publicly is accessible to all users of the HDX platform, whether or not they are '
'registered. All public data must be shared under an appropriate license. Select the \'public\' setting in the '
'metadata field when uploading data. '
'<br/><br/>'
'Private - Organisations can share data privately with their members. The administrator of each organisation '
'controls who can become a member. The default visibility is set to \'private\' when uploading new data. '
'To make data accessible to HDX users, the contributing organisation needs to change the visibility to public. '
'<br/><br/>'
'By Request - Organisations can share the metadata of a dataset and grant access to the underlying data when requested by a registered user. '
' Learn more about the HDX Connect feature <a target="_blank" href="https://centre.humdata.org/a-new-call-to-action-sharing-the-existence-of-data/">here</a>.'
'<br/><br/>'
'Learn more about how HDX handles sensitive data below.'
,
},
{
'q': 'What is the difference between a dataset and a resource?',
'a': 'A dataset is a collection of related data resources. A resource is an individual file within a '
'dataset. When sharing data, you first create a dataset and then you can add one or more resources to '
'it. A resource can either be a file uploaded to HDX (such as a CSV or XLS file) or a link to another '
'website with a downloadable file. A resource, such as a readme file, could also contain documentation '
'that helps users to understand the dataset, such as a readme file.',
},
{
'q': 'How do I add a dataset?',
'a': 'Click on the \'Add Data\' button from any page on HDX. You will be required to login and associate '
'yourself with an organisation. '
'<a target="_blank" href="https://docs.google.com/presentation/d/1GCO30_N8cCegoTD3bwPgUQ0NcQ5N7C_moUbSrlzLYaU/present#slide=id.gf01e139c5_1_152">These slides</a> '
'provide a walk-through of how to add a dataset. Here are more details on the '
'\'<a target="_blank" href="https://humanitarian.atlassian.net/wiki/display/HDX/2016/11/16/Data+Freshness+Part+1%3A+Adding+a+New+Metadata+Field">update frequency</a>\' field.',
},
{
'q': 'How can I add links and formatting to my dataset page?',
'a': 'There are 4 metadata fields that accept '
'<a target="_blank" href="https://daringfireball.net/projects/markdown/syntax">markdown</a> '
'which provides some simple formatting commands.'
'<br/><br/>'
'The "description", "methodology:other", and "caveats/comments" fields, as well as the description field for each resource '
'attached to the dataset, all accept markdown formatting. '
'The most useful markdown commands are outlined here:'
'<br/><br/>'
'Links can be entered like this: <pre>[the linked text](https://data.humdata.org)</pre> '
'and will be rendered like this: <a href="https://data.humdata.org">the linked text</a>'
'<br/>'
'<i>Italics</i> can be indicated by surrounding text with single asterisks, like this: <pre>*A bit of italics text*</pre> '
'<b>Bold</b> can be indicated by surrounding text with double asterisks, like this: <pre>**A bit of bold text**</pre>'
'<br/><br/>'
'Bulleted lists must start with and be followed by a blank line. Each item in the list starts '
'with an asterisk and a space:'
'<br/><br/>'
'* item 1'
'<br/>'
'* item 2'
'<br/>'
'* etc.'
'<br/><br/>'
'Numbered lists must also start with and be followed by a blank line. Each item starts with the number 1, a period, and a space:'
'<br/><br/>'
'1. First item'
'<br/>'
'1. Second item. Note that the lines always start with a one followed by a period and space.'
'<br/>'
'1. 3rd item'
'<br/>'
'1. etc.'
},
{
'q': 'How do I edit a dataset?',
'a': 'You can only edit a dataset if you are an administrator or editor of your organisation. If you have '
'the appropriate role, on the dataset page you will find an \'Edit\' button just below the dataset title on the right. This will '
'allow you to edit the dataset metadata and the resources. '
'<a target="_blank" href="https://docs.google.com/presentation/d/1Tw2KF6SNLUMMTKSQ3y_B0bebn27B5kSQf74-Cb02OFg/present#slide=id.g10ad610ac0_0_147">These slides</a> '
'provide a walk-through of how to edit a dataset.',
},
{
'q': 'How can I add graphs and key figures to my dataset?',
'a': 'If your data uses the '
'<a target="_blank" href="http://hxlstandard.org/">HXL standard</a>, then HDX can automatically create '
'customizable graphs and key figures to help you highlight the most important aspects of your dataset. '
'We call these \'Quick Charts\'. For a Quick Chart to be generated, your dataset needs to be public and contain '
'a CSV or XLSX resource with HXL tags. HXL is easy! '
'Check out the <a target="_blank" href="http://hxlstandard.org/">30-second tutorial</a>.'
'<br/><br/>'
'The resource can be stored on HDX or as a remote resource at another URL. Quick Charts will be generated '
'from the first resource with HXL tags in the list of a dataset\'s resources. The system will try to '
'generate up to three charts based on the HXL tags, and these can be changed to best tell the story in '
'your data. You can edit each Quick Chart\'s title, axis labels, and description. Don\'t forget to save '
'the changes so they become the default view that users see when viewing your dataset. Here\'s a good '
'<a target="_blank" href="https://data.humdata.org/dataset/madagascar-cyclone-enawo-needs-assessment-data-5-april">example</a> '
'to get you started.'
'<br/><br/>'
'Learn more about HXL and HDX Tools in the section below. ',
},
{
'q': 'What are the recommended data formats?',
'a': 'We define data as information that common software can read and analyse. We encourage contributions in any '
'common data format. HDX has built-in preview support for tabular data in CSV and Microsoft Excel '
'(xls only) formats, and for geographic data in zipped shapefile, kml and geojson formats.'
'<br/><br/>'
'A PDF file is not data. If you have a data visualization in PDF format, you can add it as a showcase '
'item on the dataset page. If you wish to share documents, graphics, or other types of humanitarian '
'information that are not related to the data you are sharing, please visit our companion sites '
'<a target="_blank" href="http://reliefweb.int/">ReliefWeb</a> and '
'<a target="_blank" href="http://www.humanitarianresponse.info/">HumanitarianResponse</a>. '
'A resource, such as a readme file, could also contain documentation that helps users to understand '
'the dataset.',
},
{
'q': 'What are the best practices for managing resources in a dataset?',
'a': 'Resources can be either different <i>formats</i> of the same data (such as XLSX and CSV) or different <i>releases</i> '
'of the same data (such as March, April, and May needs assessments). Always put the resource with the '
'most-recent or most-important information first, because the HDX system will by default use the first '
'resource to create visualisations such as Quick Charts or geographic preview (this default can be '
'overridden in the dataset edit page). '
'<br/><br/>'
'If you have data that is substantially different, like a different type of assessment or data about '
'a different province, we recommend creating a separate dataset. ',
},
{
'q': 'What are the recommended best practices for naming datasets and resources?',
'a': 'For datasets: the keywords in your dataset title are matched to the search terms users enter when '
'looking for data in HDX. Avoid using abbreviations in the title that users may not be familiar with. '
'Also avoid using words such as current, latest or previous when referring to the time period (e.g., '
'latest 3W), as these terms become misleading as the dataset ages. The following is a good example of '
'a dataset title: \'Who is Doing What Where in Afghanistan in Dec 2016\'.'
'<br/><br/>'
'For resources: by default, the resource name is the name of the uploaded file. However, you can change '
'this if needed to make it more clear to users. '
'<br/><br/>'
'For zipped shapefiles: we recommend the filename be name_of_the_file.shp.zip. However, the system does '
'not require this construction.',
},
{
'q': 'Is there a limit on file size for the data that I upload?',
'a': 'If your resource is simply a link to a file hosted elsewhere, there is no size limit. If you are '
'uploading a file onto HDX, the file size is limited to 300MB. If you have larger files that you want '
'to share, e-mail us at <a href="mailto:hdx@un.org">hdx@un.org</a>.',
},
{
'q': 'Can I share data hosted elsewhere?',
'a': 'Yes. HDX can host the data for you, but it works equally well with a link to data hosted somewhere '
'else on the web. For example, if your organisation already has a system or API that produces data for '
'download, you can simply include a link to that data as a resource in your dataset, and the version '
'on HDX will automatically stay up to date.',
},
{
'q': 'Can I drag&drop files from my computer?',
'a': 'Yes. HDX allows you to drag and drop files from your computer. First, you need to click on the \'Add '
'Data\' link and then select files from your computer. Drop the files in the designated area. A new '
'dataset form will appear with some fields already pre-filled.',
},
{
'q': 'How can I share data from my Google Drive?',
'a': '<p>First you need to be sure that the Google Drive file or files are publicly visible or accessible '
'to anyone who has the link. For instructions on how to change, follow '
'<a target="_blank" href="https://docs.google.com/presentation/d/17ihVuVlVfw3K2_L9u4cL-Lp-RaZNcBw6BJgxGjbWu4o/edit#slide=id.gf01e139c5_1_52">this walkthrough</a>. '
'You can click on \'Add Data\' and choose the option to import files from \'Google Drive\'. A \'Google '
'Drive\' pop-up will show and help you choose the file/files from your account. The files will not be '
'copied into HDX. Instead, the HDX \'Download\' button will always direct users to the live version '
'of the Google document.</p>'
'<p>The HDX Resource Picker for Google Drive will only have access to your list of Google Drive files '
'when you are choosing Google Drive resources through the HDX interface. You can revoke this permission at any time in '
'<a target="_blank" href="https://security.google.com/settings/security/permissions?pli=1">Google Drive\'s App Manager</a>. '
'However, this will not change the visibility of the Google Drive resources already created on HDX.</p>',
},
{
'q': 'How do I share a live Google Sheet?',
'a': 'To include a link to a Google Sheet, you must first set the sheet\'s sharing permissions so that it is '
'either publicly visible or at least accessible to anyone who has the link. We recommend creating at '
'least two separate resources for each Google Sheet: 1) a link to the sheet itself in the regular Google '
'Drive interface; and 2) a direct-download link to an Excel or CSV version of the sheet, so that users '
'can preview it in HDX. The version in HDX will update automatically as you make changes to the original '
'Google Sheet.'
'<br/><br/>'
'To obtain the direct download link, select "Publish to the web..." from the "File" menu in Google Sheets, '
'then in the dialog box that opens, under the \'Link\' tab select your preferred file format '
'(such as Excel or CSV), confirm, and Google Sheets will provide you the link. (Note that this process '
'is not necessary simply for working with HXL-aware tools like Quick Charts, because they can open data '
'directly from the regular Google Sheets link.)'
},
{
'q': 'How do I share a live spreadsheet from Dropbox?',
'a': 'HDX can live-link to and preview files stored in any Dropbox folder and even preview them if they are '
'in CSV or XLS format. You must login to Dropbox via the web application and navigate to the folder '
'containing the spreadsheet (or other file) that you want to share. Select the file and choose \'Share '
'link\', following the <a target="_blank" href="https://www.dropbox.com/en/help/167">instructions in the Dropbox help centre</a>. '
' You will then receive a special link '
'that allows anyone to download the file.'
'<br/><br/>'
'Add that link as a resource to your HDX dataset. When you receive a Dropbox link, it normally looks '
'something like this: <br/> https://www.dropbox.com/etc/etc/your_file_name.csv?dl=0'
'<br/><br/>'
'For HDX to be able to process and preview your file, you\'ll need to change the last \'0\' to a \'1\' '
'so that it looks like this: <br/>https://www.dropbox.com/etc/etc/your_file_name.csv?dl=1'
'<br/><br/>'
'The HDX resource will automatically track any changes you save to the Dropbox file on your own computer. '
'Be careful not to move or rename the file after you share it.'
},
{
'q': 'If the dataset date on HDX did not change automatically after updating my remote resource, '
'how do I change it to the correct date? ',
'a': 'The data that users download from HDX will always reflect updates made to the remote resource '
'(such as a file on Dropbox or Google Drive). However, the metadata and activity stream will not '
'automatically indicate the updated date of '
'the data. This has to be done manually in HDX by the dataset owner. '
'We are working to improve this functionality, so please bear with us! '
},
]
}
geodata = {
'title': 'Geodata',
'questions': [
{
'q': 'How can I generate a map with my geographic data?',
'a': 'The HDX system will attempt to create a map, or geographic preview, from geodata formats that it '
'recognizes. For a geographic preview to be generated, your data needs to be in either a zipped '
'shapefile, kml or geojson format. Ensure that the \'File type\' field for the resource also has one of '
'the above formats. Pro tip: HDX will automatically add the correct format if the file extension is '
'\'.shp.zip\', \'.kml\', or \'.geojson\'. Here are examples of geodata '
'<a target="_blank" href="https://data.humdata.org/dataset/somalia-schools">points</a>, '
'<a target="_blank" href="https://data.humdata.org/dataset/nigeria-water-courses-cod">lines</a>, and '
'<a target="_blank" href="https://data.humdata.org/dataset/health-districts">polygons</a> '
'showing the preview feature.'
'<br/><br/>'
'The preview feature will continue to work when there are multiple geodata resources in a single '
'dataset (i.e., one HDX dataset with many resources attached). The layers icon in the top-right corner '
'of the map enables users to switch between geodata layers. Here is an '
'<a target="_blank" href="https://data.humdata.org/dataset/nigeria-water-courses-cod">example</a>.'
},
{
'q': 'Why is the geodata preview only working for one layer in my resource?',
'a': 'To generate a map preview, a dataset can have multiple resources but each resource can only include '
'one layer within it. Resources with multiple layers (e.g., multiple shapefiles in a single zip file) '
'are not supported. In this case, the system will only create a preview of the first layer in the '
'resource, however all the layers will still be available in the downloaded file. If you would like '
'all of the layers to display, you need to create a separate resource for each layer.'
}
]
}
search = {
'title': 'Search',
'questions': [
{
'q': 'How does search work on HDX?',
'a': 'Searching for datasets on HDX is done in two ways: by searching for terms that you type into the '
'search bar found at the top of almost every page on HDX, and by filtering a list of search results.'
'<br/><br/>'
'<p>Entering a search term causes HDX to look for matching terms in the titles, descriptions, locations '
'and tags of a dataset. The resulting list of items can be further refined using the filter options on '
'the left side of the search result. You can filter by location, tag, '
'organisation, license and format as well as filtering for some special classes of datasets '
'(like <a target="_blank" href="https://data.humdata.org/search?ext_hxl=1">datasets with HXL tags</a> or '
'<a target="_blank" href="https://data.humdata.org/search?ext_quickcharts=1">datasets with Quick Charts</a>) '
'in the \'featured\' filters.</p>'
},
{
'q': 'How do I find the Common Operational Datasets in HDX?',
'a': 'In 2015, HDX migrated the Common Operational Datasets (CODs) from the COD Registry on '
'HumanitarianResponse.info to HDX. Each of these datasets has a \'cod\' tag. To limit search results '
'to only CODs, use the \'CODs\' filter in the filter panel on the left side of the dataset list.'
'You can also find all CODs datasets <a target="_blank" href="https://data.humdata.org/cod">here</a>. '
}
]
}
metadata_and_data_quality = {
'title': 'Metadata and Data Quality',
'questions': [
{
'q': 'What metadata do I need to include when sharing data?',
'a': 'All data on HDX must include a minimum set of metadata fields. You can read our '
'<a target="_blank" href="https://centre.humdata.org/providing-metadata-for-your-datasets-on-hdx/">Guide to Metadata</a> '
'to learn more. We encourage data contributors to include as much metadata as possible to make their '
'data easier to understand and use for analysis.',
},
{
'q': 'How does HDX ensure data quality?',
'a': 'Data quality is important to us, so we manually review every new dataset for relevance, '
'timeliness, interpretability and comparability. We contact data contributors if we have any concerns '
'or suggestions for improvement. You can learn more about our definition of the dimensions of data '
'quality and our quality-assurance processes '
'<a target="_blank" href="https://centre.humdata.org/wp-content/uploads/HDX_Quality_Assurance_Framework_Draft.pdf">here</a>.',
},
{
'q': 'What does the green leaf symbol mean?',
'a': 'The green leaf symbol indicates that a dataset is up to date - that there has been an update to '
'the metadata or the data in the dataset within the expected update frequency plus some leeway. '
'For more information on the expected update frequency metadata field and the number of days '
'a dataset qualifies as being fresh, see '
'<a target="_blank" href="https://humanitarian.atlassian.net/wiki/spaces/HDX/pages/442826919/Expected+Update+Frequency+vs+Freshness+Status">here</a>.',
},
{
'q': 'Does HDX make any changes to my dataset?',
'a': 'No. HDX will never make changes to the data that has been shared. We do add tags, or make changes to '
'dataset titles to help make your data more discoverable by HDX users. We may also add a data '
'visualization for the data in the dataset showcase. A list of changes appears in the activity stream '
'on the left-hand column of the dataset page.',
},
]
}
resources_for_developers = {
'title': 'Resources for Developers',
'questions': [
{
'q': 'How do I access the HDX API? ',
'a': 'Please see our <a target="_blank" href="https://data.humdata.org/documentation">Resources for Developers</a> '
'page for more information. '
},
{
'q': 'Where can I read about coding with HDX? ',
'a': 'Please see our <a target="_blank" href="https://data.humdata.org/documentation">Resources for Developers</a> '
'page for more information. '
},
]
}
hxl = {
'title': 'HXL and HDX Tools',
'questions': [
{
'q': 'What is the Humanitarian Exchange Language?',
'a': 'The Humanitarian Exchange Language (HXL) is a simple standard for messy data. It is based on '
'spreadsheet formats such as CSV or Excel. The standard works by adding hashtags with semantic '
'information in the row between the column header and data allow software to validate, clean, '
'merge and analyse data more easily. To learn more about HXL and who\'s currently using it, visit '
'the <a target="_blank" href="http://hxlstandard.org">HXL standard site</a>.'
'<br/><br/>'
'<p>HDX is currently adding features to visualise HXL-tagged data. To learn more about HXL and who\'s '
'currently using it, visit the <a target="_blank" href="http://hxlstandard.org/">HXL standard site</a>.</p>'
},
{
'q': 'What are HDX Tools?',
'a': 'HDX Tools include a number of HXL-enabled support processes that help you do more with your data, '
'more quickly. The tools include: '
'<ul>'
'<li><a target="_blank" href="https://tools.humdata.org/wizard/#quickcharts">Quick Charts</a> - Automatically generate embeddable, live data charts, graphs and key figures from your spreadsheet. </li> '
'<li><a target="_blank" href="https://tools.humdata.org/examples/hxl/">HXL Tag Assist</a> - See HXL hashtags in action and add them to your own spreadsheet. </li>'
'<li><a target="_blank" href="https://tools.humdata.org/wizard/#datacheck">Data Check</a> - Data cleaning for humanitarian data, automatically detects and highlights common errors including validation against CODs and other vocabularies. </li>'
'</ul> '
'<br/><br/>'
'You can find all HDX Tools through <a target="_blank" href="https://tools.humdata.org">tools.humdata.org</a>. The tools will work with data that is stored on HDX, '
'the cloud or local machines. The only requirement is that the data includes HXL hashtags. '
},
{
'q': 'How can I add Quick Charts to my dataset?',
'a': 'If your data uses HXL hashtags, then the Quick Charts tool can automatically create customizable '
'graphs and key figures to help you highlight the most important aspects of your dataset. Quick Charts require the following: '
'<ol>'
'<li>The first resource in your dataset (stored on HDX or remotely) must have HXL hashtags. </li>'
'<li>That dataset must have the HDX category tag \'HXL\' (not to be confused with the actual HXL hashtags). </li>'
'</ol> '
'<br/><br/>'
'For more details you can view '
'<a target="_blank" href="https://docs.google.com/presentation/d/12MVgXAbxL_8eLYz2SxZe3wJrGNjBaX8A231Wed7avj8/edit?usp=sharing/">'
'these walkthrough slides</a>.'
},
{
'q': 'How can I add Quick Charts to my own web sites or blogs?',
'a': 'Every Quick Chart on HDX includes a small link icon at the bottom, that will give you HTML markup to copy into a '
'web page or blog to add the chart. The chart will be live, and will update whenever the source data updates. '
'If your data is not on HDX, you can also generate a Quick Chart using the standalone version of the service, available on '
'<a target="_blank" href="https://tools.humdata.org/">https://tools.humdata.org</a>.'
},
{
'q': 'Why isn\'t Quick Charts recognizing the HXL hashtags in my dataset?',
'a': 'At this stage, Quick Charts are working with a limited number of HXL hashtags, but we are constantly expanding '
'the list. The current set of JSON-encoded Quick Charts recipes is available on '
'<a target="_blank" href="https://github.com/OCHA-DAP/hxl-recipes/">GitHub</a>.'
},
{
'q': 'How does HXL Tag Assist work?',
'a': 'The <a target="_blank" href="https://tools.humdata.org/examples/hxl/">HXL Tag Assist tool</a> will show you different HXL '
'hashtags in datasets that organisations have already '
'uploaded to HDX. You can find a quick (and portable) list of the core HXL hashtags on the <a target="_blank" href="http://hxlstandard.org/standard/postcards/">HXL Postcard</a>. '
'The detailed list of HXL hashtags and attributes is available in the <a target="_blank" href="http://hxlstandard.org/standard/1_1final/dictionary/">HXL hashtag dictionary</a>. Finally, an '
'up-to-date machine-readable version of the hashtag dictionary is <a target="_blank" href="https://data.humdata.org/dataset/hxl-core-schemas/"> available on HDX.</a>'
},
{
'q': 'How does Data Check work?',
'a': 'You can use <a target="_blank" href="https://centre.humdata.org/clean-your-data-with-data-check/"> Data Check</a> to '
'compare your HXL-tagged dataset against a collection of validation rules that you can configure. '
'Data Check identifies the errors in your data such as spelling mistakes, incorrect geographical codes, extra whitespace, '
'numerical outliers, and incorrect data types. '
'<br/><br/>'
'For more details you can view '
'<a target="_blank" href="https://docs.google.com/presentation/d/1AiRDyEBe_56_b8KL0r4_a5W96Q3ZE2m56IT-r29nZFo/edit?usp=sharing"> '
'these walkthrough slides </a>.'
},
]
}
data_policy = {
'title': 'Sensitive Data',
'questions': [
{
'q': 'How does HDX define sensitive data?',
'a': 'For the purpose of sharing data through HDX, we have developed the following categories to '
'communicate data sensitivity: '
'<ol>'
'<li>Non-Sensitive - This includes datasets containing country statistics, roadmaps, weather data and '
'other data with no foreseeable risk associated with sharing. </li>'
'<li>Uncertain Sensitivity - For this data, sensitivity depends on a number of factors, including other '
'datasets collected in the same context, what technology is or could be used to extract insights, and the '
'local context from which the data is collected or which will be impacted by use of the data. </li>'
'<li>Sensitive - This includes any dataset containing personal data of affected populations '
'or aid workers. Datasets containing demographically identifiable information (DII) or community '
'identifiable information (CII) that can put affected populations or aid workers at risk, are also '
'considered sensitive data. Depending on context, satellite imagery can also fall into this third category of sensitivity. </li>'
'</ol> '
},
{
'q': 'Can I share personal data through HDX?',
'a': 'HDX does not allow personal data or personally identifiable information (PII) to be shared in public '
'or private datasets. All data shared through the platform must be sufficiently aggregated or anonymized '
'so as to prevent identification of people or harm to affected people and the humanitarian community. '
'We do allow private datasets to include contact information of aid workers if they have provided consent'
'to the sharing of their data within the organisation. Read more in our '
'<a target="_blank" href="https://data.humdata.org/about/terms">Terms of Service</a>.'
},
{
'q': 'How does HDX assess the sensitivity of data?',
'a': 'HDX endeavors not to allow publicly shared data that includes community identifiable information (CII) '
'or demographically identifiable information (DII) that may put affected people at risk. However, this type '
'of data is more challenging to identify within datasets during our quality assurance process without deeper analysis. '
'In cases where we suspect that survey data may have a high risk of re-identification of affected people, we run '
'an internal statistical disclosure control process using SDCmicro. If the risk level is high (>2%), '
'HDX will make the dataset private and notify the data contributor who can then further anonymize the data or '
'share only the metadata through HDX Connect.'
'<br/><br/>'
'We invite HDX users to notify us should they become aware of this type of data being shared through the site. '
'Data contributors can request HDX to analyze the risk of data before it is shared. '
'Send an e-mail to <a href="mailto:hdx@un.org">hdx@un.org</a> to request this support. '
},
]
}
licenses = {
'title': 'Data Licenses',
'questions': [
{
'q': 'What data licences does HDX offer?',
'a': 'HDX promotes the use of licenses developed by the '
'<a target="_blank" href="http://creativecommons.org/">Creative Commons Foundation</a> '
'and the <a target="_blank" href="http://opendatacommons.org">Open Data Foundation</a>. The main '
'difference between the two classes of licences is that the Creative Commons licences were developed '
'for sharing creative works in general, while the Open Data Commons licences were developed more '
'specifically for sharing databases. See the full list of licences '
'<a target="_blank" href="https://data.humdata.org/about/license">here</a>.'
},
]
}
contact = {
'title': 'Contact',
'questions': [
{
'q': 'How do I contact the HDX team?',
'a': 'For general enquiries or issues with the site, e-mail <a href="mailto:hdx@un.org">hdx@un.org</a>. You can also '
'reach us on Twitter at <a target="_blank" href="https://twitter.com/humdata">@humdata</a>. Sign up '
'to receive our newsletter '
'<a target="_blank" href="http://humdata.us14.list-manage.com/subscribe?u=ea3f905d50ea939780139789d&id=99796325d1">here</a>.',
},
]
}
#hdx_api = {
# 'title': 'HDX API',
# 'questions': [
# {
# 'q': 'How do I access the HDX API?',
# 'a': 'There are two APIs for accessing HDX. '
# 'The best choice for most tasks is the HDX Python Library which is open source and available '
# '<a target="_blank" href="https://github.com/OCHA-DAP/hdx-python-api">here</a>. '
# 'The library is a wrapper around the the base CKAN API with additional features that simplify usage.'
# 'Learn more about it <a target="_blank" href="https://centre.humdata.org/hdx-python-library/">in this blog post</a>.'
# '<br/><br/>'
# 'HDX supports both the core <a target="_blank" href="http://docs.ckan.org/en/2.7/api/index.html">CKAN 2.7 API</a> '
# 'and, for some datasets, the CKAN Datastore API. '
# 'For more information, please e-mail <a href="mailto:hdx@un.org">hdx@un.org</a>. We will be happy to assist you.'
# },
# ]
#}
# popular = {
# 'title': 'Popular Questions',
# 'questions': [
# {
# 'q': 'What is the Humanitarian Data Exchange?',
# 'a': 'The Humanitarian Data Exchange (HDX) is an open platform for sharing data. The goal of HDX is to make humanitarian data easy to find and use for analysis. Launched in July 2014, HDX has been accessed by users in over 200 countries and territories. Watch our HDX <a target="_blank" href="https://www.youtube.com/watch?v=hCVyiZhYb4M">launch animation</a> or <a target="_blank" href="https://www.youtube.com/watch?v=P8XDNmcQI0o">introductory screencast</a> to get started.',
# },
# {
# 'q': 'How does search work on HDX?',
# 'a': 'Searching for datasets on HDX is done in two ways: by searching for terms that you type into the search bar found at the top of almost every page on HDX, and by filtering a list of search results.<br/><br/><p>Entering a search term causes HDX to look for matching terms in the titles, descriptions, locations and tags of a dataset. The resulting list of items can be further filtered by clicking on the blue filter icon at the top of the page (in the search bar). You can filter by location, tag, organisation, license and format.</p>',
# },
# ]
#
# }
#
# about = {
# 'title': 'About',
# 'questions': [
# {
# 'q': 'What is the Humanitarian Data Exchange?',
# 'a': 'The Humanitarian Data Exchange (HDX) is an open platform for sharing data. The goal of HDX is to make humanitarian data easy to find and use for analysis. Launched in July 2014, HDX has been accessed by users in over 200 countries and territories. Watch our HDX <a target="_blank" href="https://www.youtube.com/watch?v=hCVyiZhYb4M">launch animation</a> or <a target="_blank" href="https://www.youtube.com/watch?v=P8XDNmcQI0o">introductory screencast</a> to get started.',
# },
# {
# 'q': 'Who manages HDX?',
# 'a': 'The <a target="_blank" href="http://www.unocha.org/">United Nations Office for the Coordination of Humanitarian Affairs</a> (OCHA) manages HDX. OCHA is part of the United Nations Secretariat,responsible for bringing together humanitarian actors to ensure a coherent response to emergencies. The HDX team includes OCHA staff and a number of consultants. We are based in North America, Europe and Africa.',
# },
# {
# 'q': 'Has HDX been featured in the media?',
# 'a': 'Yes. The following Launched in July 2014 have been written about HDX:<br/><br/><p>The Guardian - <a target="_blank" href="http://www.theguardian.com/global-development/2014/dec/29/humanitarian-data-exchange-ebola-refugees">Data Exchange Helps Humanitarians Act Fast and Effectively</a></p><p>Fast Company - <a target="_blank" href="http://www.fastcodesign.com/3045699/how-the-candy-crush-of-data-is-saving-lives-in-nepal">How the Candy Crush of Data is Saving Lives in Nepal</a></p><p>Forbes - <a target="_blank" href="http://www.forbes.com/sites/eshachhabra/2015/05/31/un-deploys-new-tech-to-make-relief-faster-in-nepal/">UN Deploys New Tech to Make Relief Faster in Nepal</a></p><p>The Independent - <a target="_blank" href="http://www.independent.co.uk/life-style/gadgets-and-tech/news/open-data-what-is-it-and-why-are-people-so-scared-of-it-10405636.html">Open Data: What is it and why are people so scared of it?</a></p><p>Reuters - <a target="_blank" href="http://af.reuters.com/article/commoditiesNews/idAFL5N18N1U1">From displacement to death, UN data innovation aims to boost aid response</a></p>',
# },
# ]
# }
#
#
# user_registration = {
# 'title': 'User Registration',
# 'questions': [
# {
# 'q': 'I changed my job - what happens to my account?',
# 'a': 'You can keep your account. If you want to change the e-mail address associated with your account, click on your username on the upper-right corner of any HDX page and then select \'User Settings\'. From there, you can update your profile.',
# },
#
# ]
# }
#
# privacy = {
# 'title': 'Privacy and Tracking',
# 'questions': [
# {
# 'q': 'How does HDX track user behavior?',
# 'a': 'HDX continually seeks to understand the behavior of users on our site in order to improve the HDX service. To do so we use third-party analytics services including Google Analytics and Mixpanel. Both of these services use cookies stored on our users\' devices to send encrypted information to Google Analytics and Mixpanel about how the user arrived at HDX, what pages they visited on HDX, and their actions within those pages. Similar tracking is performed when users access HDX via our API or when directly downloading files from a shared link. HDX does not send identifying information (name, user name, email address) to Mixpanel or Google Analytics. Google Analytics\' and Mixpanel\'s use of the data collected from HDX is governed by their respective Terms of Use. </br></br><p>If you would like to disable the tracking described above, you can install the <a href="https://tools.google.com/dlpage/gaoptout">Google Analytics Opt-out Browser Add-on</a> to disable Google Analytics tracking. You can <a href="http://mixpanel.com/optout">opt out</a> of Mixpanel\'s tracking, but please note that your opt out is browser-specific and will be reversed if your cookies are deleted. Opting out does not affect tracking on direct file downloads on HDX. The data collected by these tracking systems will be retained indefinitely in order to understand how user behavior is changing over time. </br></br><p>Emails sent by the HDX mailing list (administered by MailChimp) may contain <a href="https://en.wikipedia.org/wiki/Web_beacon">web beacons</a>, which allow us to track information about how many people have viewed our email campaigns. HDX will never share individually-identifiable information from this tracking to third parties. The data collected by this tracking system will be retained indefinitely in order to understand how readership of the emails is changing over time.</p>'
# },
# ]
# }
faq_data = [
getting_started,
organizations,
sharing_data,
geodata,
search,
metadata_and_data_quality,
resources_for_developers,
hxl,
data_policy,
licenses,
contact,
# popular,
# about,
# user_registration,
# privacy,
]
| getting_started = {'title': 'Getting Started', 'questions': [{'q': 'How does HDX define humanitarian data?', 'a': 'We define humanitarian data as: <ol><li> data about the context in which a humanitarian crisis is occurring (e.g., baseline/development data, damage assessments, geospatial data)</li><li> data about the people affected by the crisis and their needs </li> <li> data about the response by organisations and people seeking to help those who need assistance.</li></ol>'}, {'q': 'Is HDX open source?', 'a': 'Yes. HDX uses an open-source software called <a target="_blank" href="http://ckan.org/">CKAN</a> for our technical back-end. You can find all of our code on <a target="_blank" href="https://github.com/OCHA-DAP">GitHub</a>.'}, {'q': 'What browsers are best to use for HDX?', 'a': 'We build and test HDX using the latest versions of Chrome and Firefox. We also test on Internet Explorer 10 and later, but do not formally support it.'}, {'q': 'How do I register an account with HDX?', 'a': "You can register by clicking on 'Sign Up' on the upper-right corner of any HDX page."}, {'q': 'What if I forget my username and password?', 'a': 'Use our <a target="_blank" href="https://data.humdata.org/user/reset">password recovery form</a> to reset your account details. Enter your username or e-mail and we will send you an e-mail with a link to create a new password.'}, {'q': 'What are the benefits of being a registered user?', 'a': 'Anyone can view and download the data from the site, but registered users can access more features. After signing up you can: <ol><li> Contact data contributors to ask for more information about their data. </li> <li> Request access to the underlying data for metadata only entries (our HDX Connect feature). </li><li> Join organisations to share data or to access private data, depending on your role within the organisation, e.g. an admin, editor, or member of the organisation (see more below). </li><li> Request to create a new organisation and if approved, share data publicly or privately. </li><li> Add data visualizations as showcase items alongside your organisations datasets. </li><li> Follow the latest changes to data. </li></ol> '}, {'q': "What does it mean to 'follow' data?", 'a': 'HDX allows registered users to follow the data they are interested in. Updates to the datasets that you follow will appear as a running list in your user dashboard(accessible from your user name in the top right of every page when you are logged in). You can follow data, organisations, locations, topics and crises.'}, {'q': 'How do I request access to a dataset where I can only see metadata?', 'a': 'You\'ll find a \'Request Access\' button for datasets where only metadata is provided. The HDX Connect feature makes it possible to discover what data is available or what data collection initiatives are underway. Only registered users have the ability to contact the organisation through the request access module. The administrator for the contributing organisation can decide whether to accept or deny the request. Once the connection is made, HDX is not involved in the decision to share the data. Learn more about HDX Connect <a target="_blank" href="https://centre.humdata.org/a-new-call-to-action-sharing-the-existence-of-data/">here</a>. Find all \'by request\' datasets <a target="_blank" href="https://data.humdata.org/search?ext_requestdata=1&q=&ext_page_size=25">here</a>.'}, {'q': 'How do I contact a data contributor?', 'a': 'You\'ll find a \'contact the contributor\' link below the title of the data on all the dataset pages. Please find more details <a target="_blank" href="https://centre.humdata.org/new-features-contact-the-contributor-and-group-message/">here</a>.'}]}
organizations = {'title': 'Organisations', 'questions': [{'q': 'What is an organisation?', 'a': 'Organisations in HDX can be legal entities, such as WFP, or informal groups, such as the Shelter Cluster or Information Management Working Group for a specific country. Data can only be shared on HDX through an organisation. The HDX team verifies all organisations to ensure they are trusted and have relevant data to share with the HDX user community.'}, {'q': "Where can I see how popular an organisation's datasets are?", 'a': 'On an organisation\'s page, click on the \'Stats\' tab to see how many visitors an organisation has received and which datasets are most popular in terms of downloads. Here\'s an <a target="_blank" href="https://data.humdata.org/organization/stats/un-operational-satellite-appplications-programme-unosat">example</a>. The number of unique visitors is approximate and is based on the browser someone uses when visiting HDX. A user visiting from different browsers or from different devices will be counted separately.<br/><br/>You can also see a timeline of how often an individual dataset has been downloaded on each dataset page. The download timeline is located on the left side of a dataset page, just beside the dataset description. Downloads for a dataset are counted as the total number of downloads of any resource in a dataset, with repeated downloads of the same resource by the same user being counted a maximum of once per day. <br/><br/>There is a delay, usually less than one day, between when a user views a page or downloads a resource on HDX and when the activity is visible in these graphs and figures.'}, {'q': 'How do I create an organisation?', 'a': "You can request an organisation through the 'Add Data' button. We ask you to submit the following information: an organisation name, description and link to an organisation-related website (optional). We review this information and then either accept the request or ask for more information, such as a sample dataset."}, {'q': 'How do I request organisation membership?', 'a': "Registered users can request membership through the organisation's profile page. Click on the 'Request Membership' button and a request will be sent to the organisation's administrator(s). The requestor can not specify the role (i.e., admin, editor or member). Instead, the person receiving the request assigns the role."}, {'q': 'How does organisation membership work?', 'a': "Organisation membership includes three roles:<ul><li>Administrators can add, edit and delete datasets belonging to the organisation and accept or refuse new member requests.</li><li>Editors can add, edit and delete datasets belonging to the organisation but cannot manage membership.</li><li>Members can view the organisation's private datasets, but cannot add new datasets or manage membership.</li></ul><p>The user who requests the creation of an organisation is assigned an administrator role. That person can invite other HDX users into their organisation and assign them one of the three roles above, or registered users on HDX can request membership from the organisation's administrator(s).</p>"}, {'q': "I'm an organisation admin. How do I add/remove members?", 'a': 'For full details on managing members, please read <a target="_blank" href="http://drive.google.com/open?id=1MR3_pVVCwxqZV2RVYKBYpQom1K0yuO866_VwltSa1vM">this document</a>.'}, {'q': 'Can I be part of more than one organisation?', 'a': 'Yes. Registered users can be part of several organisations. '}, {'q': "I don't see my organisation. What should I do? ", 'a': 'If your organisation is not listed, you can request to create one or you may want to join an existing organisation via your <a target="_blank" href="https://data.humdata.org/dashboard/">dashboard</a>. For instance, there may be a WFP organisation that was created by its staff at headquarters in Rome. You may prefer to join that one rather than creating a separate organisation for a specific location, e.g., WFP Liberia. You can see the full list of <br/><br/>If you have previously created an organisation and no longer see it on the site, this is because you have not yet shared a public dataset. Once you share a dataset, your organisation will become active and visible on the site. For details on how to upload a dataset, see <a target="_blank" href="https://data.humdata.org/faq#auto-faq-Sharing_and_Using_Data-How_do_I_add_a_dataset_-a">"How do I add a dataset?"</a>. '}, {'q': 'Can an organisation have more than one administrator?', 'a': 'Yes. Each administrator is able to manage datasets and membership. If a user requests membership, the request will be sent to all organisation administrators. The decision to accept or deny a membership request will be taken by whichever administrator acts first. The other administrators are not alerted to this action. We are planning to make this process more clear in future versions of the platform, so please bear with us!'}, {'q': 'How do I create a branded organisation page on HDX?', 'a': 'HDX offers custom organisation pages to all organisations on the site. The page includes the organisation\'s logo and colour palette, topline figures, space for a data visualization and the list of datasets. If you would like a custom page, send a request to <a href="mailto:hdx@un.org">hdx@un.org</a>.'}, {'q': 'How do I use the Group Message feature?', 'a': '\'Group message\' lets members of an organisation send messages to all other members of their organisation. Please find more details <a target="_blank" href="https://centre.humdata.org/new-features-contact-the-contributor-and-group-message/">here</a>.'}, {'q': 'I changed my job - what happens to my account?', 'a': "You can keep your account. On the organisation page that you're a part of, click the link to 'Leave this organisation'. If you want to change the e-mail address associated with your account, click on your username on the upper-right corner of any HDX page and then select 'User Settings'. From there, you can update your profile."}]}
sharing_data = {'title': 'Sharing and Using Data', 'questions': [{'q': 'How do I share data on HDX?', 'a': 'Data on HDX is shared through organisations. You need to be a member of an organisation (with appropriate privileges) before you can contribute data. If you have data to share, you can either request to create a new organisation or ask to join an existing one. (See the <a href="#body-faq-Organisations">Organisations section</a> above.)There are three ways to share data on HDX: <br/><br/>Public - Data shared publicly is accessible to all users of the HDX platform, whether or not they are registered. All public data must be shared under an appropriate license. Select the \'public\' setting in the metadata field when uploading data. <br/><br/>Private - Organisations can share data privately with their members. The administrator of each organisation controls who can become a member. The default visibility is set to \'private\' when uploading new data. To make data accessible to HDX users, the contributing organisation needs to change the visibility to public. <br/><br/>By Request - Organisations can share the metadata of a dataset and grant access to the underlying data when requested by a registered user. Learn more about the HDX Connect feature <a target="_blank" href="https://centre.humdata.org/a-new-call-to-action-sharing-the-existence-of-data/">here</a>.<br/><br/>Learn more about how HDX handles sensitive data below.'}, {'q': 'What is the difference between a dataset and a resource?', 'a': 'A dataset is a collection of related data resources. A resource is an individual file within a dataset. When sharing data, you first create a dataset and then you can add one or more resources to it. A resource can either be a file uploaded to HDX (such as a CSV or XLS file) or a link to another website with a downloadable file. A resource, such as a readme file, could also contain documentation that helps users to understand the dataset, such as a readme file.'}, {'q': 'How do I add a dataset?', 'a': 'Click on the \'Add Data\' button from any page on HDX. You will be required to login and associate yourself with an organisation. <a target="_blank" href="https://docs.google.com/presentation/d/1GCO30_N8cCegoTD3bwPgUQ0NcQ5N7C_moUbSrlzLYaU/present#slide=id.gf01e139c5_1_152">These slides</a> provide a walk-through of how to add a dataset. Here are more details on the \'<a target="_blank" href="https://humanitarian.atlassian.net/wiki/display/HDX/2016/11/16/Data+Freshness+Part+1%3A+Adding+a+New+Metadata+Field">update frequency</a>\' field.'}, {'q': 'How can I add links and formatting to my dataset page?', 'a': 'There are 4 metadata fields that accept <a target="_blank" href="https://daringfireball.net/projects/markdown/syntax">markdown</a> which provides some simple formatting commands.<br/><br/>The "description", "methodology:other", and "caveats/comments" fields, as well as the description field for each resource attached to the dataset, all accept markdown formatting. The most useful markdown commands are outlined here:<br/><br/>Links can be entered like this: <pre>[the linked text](https://data.humdata.org)</pre> and will be rendered like this: <a href="https://data.humdata.org">the linked text</a><br/><i>Italics</i> can be indicated by surrounding text with single asterisks, like this: <pre>*A bit of italics text*</pre> <b>Bold</b> can be indicated by surrounding text with double asterisks, like this: <pre>**A bit of bold text**</pre><br/><br/>Bulleted lists must start with and be followed by a blank line. Each item in the list starts with an asterisk and a space:<br/><br/>* item 1<br/>* item 2<br/>* etc.<br/><br/>Numbered lists must also start with and be followed by a blank line. Each item starts with the number 1, a period, and a space:<br/><br/>1. First item<br/>1. Second item. Note that the lines always start with a one followed by a period and space.<br/>1. 3rd item<br/>1. etc.'}, {'q': 'How do I edit a dataset?', 'a': 'You can only edit a dataset if you are an administrator or editor of your organisation. If you have the appropriate role, on the dataset page you will find an \'Edit\' button just below the dataset title on the right. This will allow you to edit the dataset metadata and the resources. <a target="_blank" href="https://docs.google.com/presentation/d/1Tw2KF6SNLUMMTKSQ3y_B0bebn27B5kSQf74-Cb02OFg/present#slide=id.g10ad610ac0_0_147">These slides</a> provide a walk-through of how to edit a dataset.'}, {'q': 'How can I add graphs and key figures to my dataset?', 'a': 'If your data uses the <a target="_blank" href="http://hxlstandard.org/">HXL standard</a>, then HDX can automatically create customizable graphs and key figures to help you highlight the most important aspects of your dataset. We call these \'Quick Charts\'. For a Quick Chart to be generated, your dataset needs to be public and contain a CSV or XLSX resource with HXL tags. HXL is easy! Check out the <a target="_blank" href="http://hxlstandard.org/">30-second tutorial</a>.<br/><br/>The resource can be stored on HDX or as a remote resource at another URL. Quick Charts will be generated from the first resource with HXL tags in the list of a dataset\'s resources. The system will try to generate up to three charts based on the HXL tags, and these can be changed to best tell the story in your data. You can edit each Quick Chart\'s title, axis labels, and description. Don\'t forget to save the changes so they become the default view that users see when viewing your dataset. Here\'s a good <a target="_blank" href="https://data.humdata.org/dataset/madagascar-cyclone-enawo-needs-assessment-data-5-april">example</a> to get you started.<br/><br/>Learn more about HXL and HDX Tools in the section below. '}, {'q': 'What are the recommended data formats?', 'a': 'We define data as information that common software can read and analyse. We encourage contributions in any common data format. HDX has built-in preview support for tabular data in CSV and Microsoft Excel (xls only) formats, and for geographic data in zipped shapefile, kml and geojson formats.<br/><br/>A PDF file is not data. If you have a data visualization in PDF format, you can add it as a showcase item on the dataset page. If you wish to share documents, graphics, or other types of humanitarian information that are not related to the data you are sharing, please visit our companion sites <a target="_blank" href="http://reliefweb.int/">ReliefWeb</a> and <a target="_blank" href="http://www.humanitarianresponse.info/">HumanitarianResponse</a>. A resource, such as a readme file, could also contain documentation that helps users to understand the dataset.'}, {'q': 'What are the best practices for managing resources in a dataset?', 'a': 'Resources can be either different <i>formats</i> of the same data (such as XLSX and CSV) or different <i>releases</i> of the same data (such as March, April, and May needs assessments). Always put the resource with the most-recent or most-important information first, because the HDX system will by default use the first resource to create visualisations such as Quick Charts or geographic preview (this default can be overridden in the dataset edit page). <br/><br/>If you have data that is substantially different, like a different type of assessment or data about a different province, we recommend creating a separate dataset. '}, {'q': 'What are the recommended best practices for naming datasets and resources?', 'a': "For datasets: the keywords in your dataset title are matched to the search terms users enter when looking for data in HDX. Avoid using abbreviations in the title that users may not be familiar with. Also avoid using words such as current, latest or previous when referring to the time period (e.g., latest 3W), as these terms become misleading as the dataset ages. The following is a good example of a dataset title: 'Who is Doing What Where in Afghanistan in Dec 2016'.<br/><br/>For resources: by default, the resource name is the name of the uploaded file. However, you can change this if needed to make it more clear to users. <br/><br/>For zipped shapefiles: we recommend the filename be name_of_the_file.shp.zip. However, the system does not require this construction."}, {'q': 'Is there a limit on file size for the data that I upload?', 'a': 'If your resource is simply a link to a file hosted elsewhere, there is no size limit. If you are uploading a file onto HDX, the file size is limited to 300MB. If you have larger files that you want to share, e-mail us at <a href="mailto:hdx@un.org">hdx@un.org</a>.'}, {'q': 'Can I share data hosted elsewhere?', 'a': 'Yes. HDX can host the data for you, but it works equally well with a link to data hosted somewhere else on the web. For example, if your organisation already has a system or API that produces data for download, you can simply include a link to that data as a resource in your dataset, and the version on HDX will automatically stay up to date.'}, {'q': 'Can I drag&drop files from my computer?', 'a': "Yes. HDX allows you to drag and drop files from your computer. First, you need to click on the 'Add Data' link and then select files from your computer. Drop the files in the designated area. A new dataset form will appear with some fields already pre-filled."}, {'q': 'How can I share data from my Google Drive?', 'a': '<p>First you need to be sure that the Google Drive file or files are publicly visible or accessible to anyone who has the link. For instructions on how to change, follow <a target="_blank" href="https://docs.google.com/presentation/d/17ihVuVlVfw3K2_L9u4cL-Lp-RaZNcBw6BJgxGjbWu4o/edit#slide=id.gf01e139c5_1_52">this walkthrough</a>. You can click on \'Add Data\' and choose the option to import files from \'Google Drive\'. A \'Google Drive\' pop-up will show and help you choose the file/files from your account. The files will not be copied into HDX. Instead, the HDX \'Download\' button will always direct users to the live version of the Google document.</p><p>The HDX Resource Picker for Google Drive will only have access to your list of Google Drive files when you are choosing Google Drive resources through the HDX interface. You can revoke this permission at any time in <a target="_blank" href="https://security.google.com/settings/security/permissions?pli=1">Google Drive\'s App Manager</a>. However, this will not change the visibility of the Google Drive resources already created on HDX.</p>'}, {'q': 'How do I share a live Google Sheet?', 'a': 'To include a link to a Google Sheet, you must first set the sheet\'s sharing permissions so that it is either publicly visible or at least accessible to anyone who has the link. We recommend creating at least two separate resources for each Google Sheet: 1) a link to the sheet itself in the regular Google Drive interface; and 2) a direct-download link to an Excel or CSV version of the sheet, so that users can preview it in HDX. The version in HDX will update automatically as you make changes to the original Google Sheet.<br/><br/>To obtain the direct download link, select "Publish to the web..." from the "File" menu in Google Sheets, then in the dialog box that opens, under the \'Link\' tab select your preferred file format (such as Excel or CSV), confirm, and Google Sheets will provide you the link. (Note that this process is not necessary simply for working with HXL-aware tools like Quick Charts, because they can open data directly from the regular Google Sheets link.)'}, {'q': 'How do I share a live spreadsheet from Dropbox?', 'a': 'HDX can live-link to and preview files stored in any Dropbox folder and even preview them if they are in CSV or XLS format. You must login to Dropbox via the web application and navigate to the folder containing the spreadsheet (or other file) that you want to share. Select the file and choose \'Share link\', following the <a target="_blank" href="https://www.dropbox.com/en/help/167">instructions in the Dropbox help centre</a>. You will then receive a special link that allows anyone to download the file.<br/><br/>Add that link as a resource to your HDX dataset. When you receive a Dropbox link, it normally looks something like this: <br/> https://www.dropbox.com/etc/etc/your_file_name.csv?dl=0<br/><br/>For HDX to be able to process and preview your file, you\'ll need to change the last \'0\' to a \'1\' so that it looks like this: <br/>https://www.dropbox.com/etc/etc/your_file_name.csv?dl=1<br/><br/>The HDX resource will automatically track any changes you save to the Dropbox file on your own computer. Be careful not to move or rename the file after you share it.'}, {'q': 'If the dataset date on HDX did not change automatically after updating my remote resource, how do I change it to the correct date? ', 'a': 'The data that users download from HDX will always reflect updates made to the remote resource (such as a file on Dropbox or Google Drive). However, the metadata and activity stream will not automatically indicate the updated date of the data. This has to be done manually in HDX by the dataset owner. We are working to improve this functionality, so please bear with us! '}]}
geodata = {'title': 'Geodata', 'questions': [{'q': 'How can I generate a map with my geographic data?', 'a': 'The HDX system will attempt to create a map, or geographic preview, from geodata formats that it recognizes. For a geographic preview to be generated, your data needs to be in either a zipped shapefile, kml or geojson format. Ensure that the \'File type\' field for the resource also has one of the above formats. Pro tip: HDX will automatically add the correct format if the file extension is \'.shp.zip\', \'.kml\', or \'.geojson\'. Here are examples of geodata <a target="_blank" href="https://data.humdata.org/dataset/somalia-schools">points</a>, <a target="_blank" href="https://data.humdata.org/dataset/nigeria-water-courses-cod">lines</a>, and <a target="_blank" href="https://data.humdata.org/dataset/health-districts">polygons</a> showing the preview feature.<br/><br/>The preview feature will continue to work when there are multiple geodata resources in a single dataset (i.e., one HDX dataset with many resources attached). The layers icon in the top-right corner of the map enables users to switch between geodata layers. Here is an <a target="_blank" href="https://data.humdata.org/dataset/nigeria-water-courses-cod">example</a>.'}, {'q': 'Why is the geodata preview only working for one layer in my resource?', 'a': 'To generate a map preview, a dataset can have multiple resources but each resource can only include one layer within it. Resources with multiple layers (e.g., multiple shapefiles in a single zip file) are not supported. In this case, the system will only create a preview of the first layer in the resource, however all the layers will still be available in the downloaded file. If you would like all of the layers to display, you need to create a separate resource for each layer.'}]}
search = {'title': 'Search', 'questions': [{'q': 'How does search work on HDX?', 'a': 'Searching for datasets on HDX is done in two ways: by searching for terms that you type into the search bar found at the top of almost every page on HDX, and by filtering a list of search results.<br/><br/><p>Entering a search term causes HDX to look for matching terms in the titles, descriptions, locations and tags of a dataset. The resulting list of items can be further refined using the filter options on the left side of the search result. You can filter by location, tag, organisation, license and format as well as filtering for some special classes of datasets (like <a target="_blank" href="https://data.humdata.org/search?ext_hxl=1">datasets with HXL tags</a> or <a target="_blank" href="https://data.humdata.org/search?ext_quickcharts=1">datasets with Quick Charts</a>) in the \'featured\' filters.</p>'}, {'q': 'How do I find the Common Operational Datasets in HDX?', 'a': 'In 2015, HDX migrated the Common Operational Datasets (CODs) from the COD Registry on HumanitarianResponse.info to HDX. Each of these datasets has a \'cod\' tag. To limit search results to only CODs, use the \'CODs\' filter in the filter panel on the left side of the dataset list.You can also find all CODs datasets <a target="_blank" href="https://data.humdata.org/cod">here</a>. '}]}
metadata_and_data_quality = {'title': 'Metadata and Data Quality', 'questions': [{'q': 'What metadata do I need to include when sharing data?', 'a': 'All data on HDX must include a minimum set of metadata fields. You can read our <a target="_blank" href="https://centre.humdata.org/providing-metadata-for-your-datasets-on-hdx/">Guide to Metadata</a> to learn more. We encourage data contributors to include as much metadata as possible to make their data easier to understand and use for analysis.'}, {'q': 'How does HDX ensure data quality?', 'a': 'Data quality is important to us, so we manually review every new dataset for relevance, timeliness, interpretability and comparability. We contact data contributors if we have any concerns or suggestions for improvement. You can learn more about our definition of the dimensions of data quality and our quality-assurance processes <a target="_blank" href="https://centre.humdata.org/wp-content/uploads/HDX_Quality_Assurance_Framework_Draft.pdf">here</a>.'}, {'q': 'What does the green leaf symbol mean?', 'a': 'The green leaf symbol indicates that a dataset is up to date - that there has been an update to the metadata or the data in the dataset within the expected update frequency plus some leeway. For more information on the expected update frequency metadata field and the number of days a dataset qualifies as being fresh, see <a target="_blank" href="https://humanitarian.atlassian.net/wiki/spaces/HDX/pages/442826919/Expected+Update+Frequency+vs+Freshness+Status">here</a>.'}, {'q': 'Does HDX make any changes to my dataset?', 'a': 'No. HDX will never make changes to the data that has been shared. We do add tags, or make changes to dataset titles to help make your data more discoverable by HDX users. We may also add a data visualization for the data in the dataset showcase. A list of changes appears in the activity stream on the left-hand column of the dataset page.'}]}
resources_for_developers = {'title': 'Resources for Developers', 'questions': [{'q': 'How do I access the HDX API? ', 'a': 'Please see our <a target="_blank" href="https://data.humdata.org/documentation">Resources for Developers</a> page for more information. '}, {'q': 'Where can I read about coding with HDX? ', 'a': 'Please see our <a target="_blank" href="https://data.humdata.org/documentation">Resources for Developers</a> page for more information. '}]}
hxl = {'title': 'HXL and HDX Tools', 'questions': [{'q': 'What is the Humanitarian Exchange Language?', 'a': 'The Humanitarian Exchange Language (HXL) is a simple standard for messy data. It is based on spreadsheet formats such as CSV or Excel. The standard works by adding hashtags with semantic information in the row between the column header and data allow software to validate, clean, merge and analyse data more easily. To learn more about HXL and who\'s currently using it, visit the <a target="_blank" href="http://hxlstandard.org">HXL standard site</a>.<br/><br/><p>HDX is currently adding features to visualise HXL-tagged data. To learn more about HXL and who\'s currently using it, visit the <a target="_blank" href="http://hxlstandard.org/">HXL standard site</a>.</p>'}, {'q': 'What are HDX Tools?', 'a': 'HDX Tools include a number of HXL-enabled support processes that help you do more with your data, more quickly. The tools include: <ul><li><a target="_blank" href="https://tools.humdata.org/wizard/#quickcharts">Quick Charts</a> - Automatically generate embeddable, live data charts, graphs and key figures from your spreadsheet. </li> <li><a target="_blank" href="https://tools.humdata.org/examples/hxl/">HXL Tag Assist</a> - See HXL hashtags in action and add them to your own spreadsheet. </li><li><a target="_blank" href="https://tools.humdata.org/wizard/#datacheck">Data Check</a> - Data cleaning for humanitarian data, automatically detects and highlights common errors including validation against CODs and other vocabularies. </li></ul> <br/><br/>You can find all HDX Tools through <a target="_blank" href="https://tools.humdata.org">tools.humdata.org</a>. The tools will work with data that is stored on HDX, the cloud or local machines. The only requirement is that the data includes HXL hashtags. '}, {'q': 'How can I add Quick Charts to my dataset?', 'a': 'If your data uses HXL hashtags, then the Quick Charts tool can automatically create customizable graphs and key figures to help you highlight the most important aspects of your dataset. Quick Charts require the following: <ol><li>The first resource in your dataset (stored on HDX or remotely) must have HXL hashtags. </li><li>That dataset must have the HDX category tag \'HXL\' (not to be confused with the actual HXL hashtags). </li></ol> <br/><br/>For more details you can view <a target="_blank" href="https://docs.google.com/presentation/d/12MVgXAbxL_8eLYz2SxZe3wJrGNjBaX8A231Wed7avj8/edit?usp=sharing/">these walkthrough slides</a>.'}, {'q': 'How can I add Quick Charts to my own web sites or blogs?', 'a': 'Every Quick Chart on HDX includes a small link icon at the bottom, that will give you HTML markup to copy into a web page or blog to add the chart. The chart will be live, and will update whenever the source data updates. If your data is not on HDX, you can also generate a Quick Chart using the standalone version of the service, available on <a target="_blank" href="https://tools.humdata.org/">https://tools.humdata.org</a>.'}, {'q': "Why isn't Quick Charts recognizing the HXL hashtags in my dataset?", 'a': 'At this stage, Quick Charts are working with a limited number of HXL hashtags, but we are constantly expanding the list. The current set of JSON-encoded Quick Charts recipes is available on <a target="_blank" href="https://github.com/OCHA-DAP/hxl-recipes/">GitHub</a>.'}, {'q': 'How does HXL Tag Assist work?', 'a': 'The <a target="_blank" href="https://tools.humdata.org/examples/hxl/">HXL Tag Assist tool</a> will show you different HXL hashtags in datasets that organisations have already uploaded to HDX. You can find a quick (and portable) list of the core HXL hashtags on the <a target="_blank" href="http://hxlstandard.org/standard/postcards/">HXL Postcard</a>. The detailed list of HXL hashtags and attributes is available in the <a target="_blank" href="http://hxlstandard.org/standard/1_1final/dictionary/">HXL hashtag dictionary</a>. Finally, an up-to-date machine-readable version of the hashtag dictionary is <a target="_blank" href="https://data.humdata.org/dataset/hxl-core-schemas/"> available on HDX.</a>'}, {'q': 'How does Data Check work?', 'a': 'You can use <a target="_blank" href="https://centre.humdata.org/clean-your-data-with-data-check/"> Data Check</a> to compare your HXL-tagged dataset against a collection of validation rules that you can configure. Data Check identifies the errors in your data such as spelling mistakes, incorrect geographical codes, extra whitespace, numerical outliers, and incorrect data types. <br/><br/>For more details you can view <a target="_blank" href="https://docs.google.com/presentation/d/1AiRDyEBe_56_b8KL0r4_a5W96Q3ZE2m56IT-r29nZFo/edit?usp=sharing"> these walkthrough slides </a>.'}]}
data_policy = {'title': 'Sensitive Data', 'questions': [{'q': 'How does HDX define sensitive data?', 'a': 'For the purpose of sharing data through HDX, we have developed the following categories to communicate data sensitivity: <ol><li>Non-Sensitive - This includes datasets containing country statistics, roadmaps, weather data and other data with no foreseeable risk associated with sharing. </li><li>Uncertain Sensitivity - For this data, sensitivity depends on a number of factors, including other datasets collected in the same context, what technology is or could be used to extract insights, and the local context from which the data is collected or which will be impacted by use of the data. </li><li>Sensitive - This includes any dataset containing personal data of affected populations or aid workers. Datasets containing demographically identifiable information (DII) or community identifiable information (CII) that can put affected populations or aid workers at risk, are also considered sensitive data. Depending on context, satellite imagery can also fall into this third category of sensitivity. </li></ol> '}, {'q': 'Can I share personal data through HDX?', 'a': 'HDX does not allow personal data or personally identifiable information (PII) to be shared in public or private datasets. All data shared through the platform must be sufficiently aggregated or anonymized so as to prevent identification of people or harm to affected people and the humanitarian community. We do allow private datasets to include contact information of aid workers if they have provided consentto the sharing of their data within the organisation. Read more in our <a target="_blank" href="https://data.humdata.org/about/terms">Terms of Service</a>.'}, {'q': 'How does HDX assess the sensitivity of data?', 'a': 'HDX endeavors not to allow publicly shared data that includes community identifiable information (CII) or demographically identifiable information (DII) that may put affected people at risk. However, this type of data is more challenging to identify within datasets during our quality assurance process without deeper analysis. In cases where we suspect that survey data may have a high risk of re-identification of affected people, we run an internal statistical disclosure control process using SDCmicro. If the risk level is high (>2%), HDX will make the dataset private and notify the data contributor who can then further anonymize the data or share only the metadata through HDX Connect.<br/><br/>We invite HDX users to notify us should they become aware of this type of data being shared through the site. Data contributors can request HDX to analyze the risk of data before it is shared. Send an e-mail to <a href="mailto:hdx@un.org">hdx@un.org</a> to request this support. '}]}
licenses = {'title': 'Data Licenses', 'questions': [{'q': 'What data licences does HDX offer?', 'a': 'HDX promotes the use of licenses developed by the <a target="_blank" href="http://creativecommons.org/">Creative Commons Foundation</a> and the <a target="_blank" href="http://opendatacommons.org">Open Data Foundation</a>. The main difference between the two classes of licences is that the Creative Commons licences were developed for sharing creative works in general, while the Open Data Commons licences were developed more specifically for sharing databases. See the full list of licences <a target="_blank" href="https://data.humdata.org/about/license">here</a>.'}]}
contact = {'title': 'Contact', 'questions': [{'q': 'How do I contact the HDX team?', 'a': 'For general enquiries or issues with the site, e-mail <a href="mailto:hdx@un.org">hdx@un.org</a>. You can also reach us on Twitter at <a target="_blank" href="https://twitter.com/humdata">@humdata</a>. Sign up to receive our newsletter <a target="_blank" href="http://humdata.us14.list-manage.com/subscribe?u=ea3f905d50ea939780139789d&id=99796325d1">here</a>.'}]}
faq_data = [getting_started, organizations, sharing_data, geodata, search, metadata_and_data_quality, resources_for_developers, hxl, data_policy, licenses, contact] |
# Space: O(n)
# Time: O(n)
class Solution:
def sequentialDigits(self, low, high):
sequence = '123456789'
res = []
start_length = len(str(low))
end_length = len(str(high))
for length in range(start_length, end_length + 1):
for i in range(len(sequence)):
end_index = i + length
if end_index > len(sequence): break
temp_res = sequence[i: i + length]
if low <= int(temp_res) <= high: res.append(int(temp_res))
return res
| class Solution:
def sequential_digits(self, low, high):
sequence = '123456789'
res = []
start_length = len(str(low))
end_length = len(str(high))
for length in range(start_length, end_length + 1):
for i in range(len(sequence)):
end_index = i + length
if end_index > len(sequence):
break
temp_res = sequence[i:i + length]
if low <= int(temp_res) <= high:
res.append(int(temp_res))
return res |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.