content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# Range Sum of BST ''' Given the root node of a binary search tree, return the sum of values of all nodes with a value in the range [low, high]. Example 1: Input: root = [10,5,15,3,7,null,18], low = 7, high = 15 Output: 32 Example 2: Input: root = [10,5,15,3,7,13,18,1,null,6], low = 6, high = 10 Output: 23 Constraints: The number of nodes in the tree is in the range [1, 2 * 104]. 1 <= Node.val <= 105 1 <= low <= high <= 105 All Node.val are unique. ''' # Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def rangeSumBST(self, root: TreeNode, low: int, high: int) -> int: if not root: return 0 if root.val>=low and root.val<=high: return root.val+self.rangeSumBST(root.left, low, high)+self.rangeSumBST(root.right, low, high) elif root.val>=low: return self.rangeSumBST(root.left, low, high) elif root.val<=high: return self.rangeSumBST(root.right, low, high) else: return 0
""" Given the root node of a binary search tree, return the sum of values of all nodes with a value in the range [low, high]. Example 1: Input: root = [10,5,15,3,7,null,18], low = 7, high = 15 Output: 32 Example 2: Input: root = [10,5,15,3,7,13,18,1,null,6], low = 6, high = 10 Output: 23 Constraints: The number of nodes in the tree is in the range [1, 2 * 104]. 1 <= Node.val <= 105 1 <= low <= high <= 105 All Node.val are unique. """ class Solution: def range_sum_bst(self, root: TreeNode, low: int, high: int) -> int: if not root: return 0 if root.val >= low and root.val <= high: return root.val + self.rangeSumBST(root.left, low, high) + self.rangeSumBST(root.right, low, high) elif root.val >= low: return self.rangeSumBST(root.left, low, high) elif root.val <= high: return self.rangeSumBST(root.right, low, high) else: return 0
# Definition for singly-linked list. class ListNode: def __init__(self, x): self.val = x self.next = None def __str__(self): if not self.next: return str(self.val) return f'{self.val}->{self.next}' # TODO: This one took a while... come back and take another look class Solution: def mergeTwoLists(self, l1: ListNode, l2: ListNode) -> ListNode: if not l1 or not l2: return l1 or l2 if l1.val < l2.val: l1.next = self.mergeTwoLists(l1.next, l2) return l1 else: l2.next = self.mergeTwoLists(l1, l2.next) return l2 if __name__ == '__main__': soln = Solution() l1n1 = ListNode(1) l1n2 = ListNode(2) l1n3 = ListNode(4) l1n2.next = l1n3 l1n1.next = l1n2 l2n1 = ListNode(1) l2n2 = ListNode(3) l2n3 = ListNode(4) l2n2.next = l2n3 l2n1.next = l2n2 answer = soln.mergeTwoLists(l1n1, l2n1) print(answer)
class Listnode: def __init__(self, x): self.val = x self.next = None def __str__(self): if not self.next: return str(self.val) return f'{self.val}->{self.next}' class Solution: def merge_two_lists(self, l1: ListNode, l2: ListNode) -> ListNode: if not l1 or not l2: return l1 or l2 if l1.val < l2.val: l1.next = self.mergeTwoLists(l1.next, l2) return l1 else: l2.next = self.mergeTwoLists(l1, l2.next) return l2 if __name__ == '__main__': soln = solution() l1n1 = list_node(1) l1n2 = list_node(2) l1n3 = list_node(4) l1n2.next = l1n3 l1n1.next = l1n2 l2n1 = list_node(1) l2n2 = list_node(3) l2n3 = list_node(4) l2n2.next = l2n3 l2n1.next = l2n2 answer = soln.mergeTwoLists(l1n1, l2n1) print(answer)
def func(self): self.info(self.rid, "get store") users = [] for row in self.datastore.all(): email = row.data.get('email', None) if not email: continue if not row.data['email'] in users: users.append(email) return users
def func(self): self.info(self.rid, 'get store') users = [] for row in self.datastore.all(): email = row.data.get('email', None) if not email: continue if not row.data['email'] in users: users.append(email) return users
def main() -> None: s = input() print("0" + s[:3]) if __name__ == "__main__": main()
def main() -> None: s = input() print('0' + s[:3]) if __name__ == '__main__': main()
#Author: #Dilpreet Singh Chawla #Indian Institute of Information Technology Kalyani. #Newton's Method to find square root of a positive number def square_root(n): if n<0: raise RuntimeError("Please enter a positive number!") else: root=n/2 #initial_guess for k in range(20): root=(1/2)*(root+n/root) #new_guess = 1/2 * (old_guess + n / old_guess) return root #To take input from user n=float(input("Enter a number: ")) #Calling Function sqrt=square_root(n) #Printing the result print("The square root of the number is : ",sqrt)
def square_root(n): if n < 0: raise runtime_error('Please enter a positive number!') else: root = n / 2 for k in range(20): root = 1 / 2 * (root + n / root) return root n = float(input('Enter a number: ')) sqrt = square_root(n) print('The square root of the number is : ', sqrt)
class Solution: def largestSumAfterKNegations(self, A: List[int], K: int) -> int: A, ncnt = sorted(A), sum([1 for a in A if a < 0]) cnt1, cnt2 = min(K, ncnt), K - ncnt if K > ncnt else 0 for i in range(cnt1): A[i] = -A[i] return sum(A) - min(A) * 2 * (cnt2 % 2) if cnt2 else sum(A)
class Solution: def largest_sum_after_k_negations(self, A: List[int], K: int) -> int: (a, ncnt) = (sorted(A), sum([1 for a in A if a < 0])) (cnt1, cnt2) = (min(K, ncnt), K - ncnt if K > ncnt else 0) for i in range(cnt1): A[i] = -A[i] return sum(A) - min(A) * 2 * (cnt2 % 2) if cnt2 else sum(A)
#unexpected results, can use try statement to make trial statement try: print(a) #have not defined a, will return exception except: print("a is not defined!") #these are specific errors try: print(a) # a still not defined except NameError: print("a is still not defined") except: print("something else went wrong") #will break program since is not defined print(a)
try: print(a) except: print('a is not defined!') try: print(a) except NameError: print('a is still not defined') except: print('something else went wrong') print(a)
MHP = open('numeros.txt','w') for linha in range(1,101): arquivo.write('%d\n'%linha) arquivo.close()
mhp = open('numeros.txt', 'w') for linha in range(1, 101): arquivo.write('%d\n' % linha) arquivo.close()
class Solution: def minRemoveToMakeValid(self, s: str) -> str: invalid_open = [] invalid_close = [] for i,char in enumerate(s): if char == '(': invalid_open.append(i) elif char == ')': if not invalid_open: invalid_close.append(i) else: invalid_open.pop() invalid = invalid_open + invalid_close invalid = {i: True for i in invalid} return ''.join([s[i] for i in range(len(s)) if i not in invalid])
class Solution: def min_remove_to_make_valid(self, s: str) -> str: invalid_open = [] invalid_close = [] for (i, char) in enumerate(s): if char == '(': invalid_open.append(i) elif char == ')': if not invalid_open: invalid_close.append(i) else: invalid_open.pop() invalid = invalid_open + invalid_close invalid = {i: True for i in invalid} return ''.join([s[i] for i in range(len(s)) if i not in invalid])
class BBAWriter: def __init__(self, f): self.f = f def pre(self, s): print("pre {}".format(s), file=self.f) def post(self, s): print("post {}".format(s), file=self.f) def push(self, s): print("push {}".format(s), file=self.f) def offset32(self): print("offset32", file=self.f) def ref(self, r, comment=""): print("ref {} {}".format(r, comment), file=self.f) def str(self, s, comment=""): print("str |{}| {}".format(s, comment), file=self.f) def align(self): print("align", file=self.f) def label(self, s): print("label {}".format(s), file=self.f) def u8(self, n, comment=""): print("u8 {} {}".format(int(n), comment), file=self.f) def u16(self, n, comment=""): print("u16 {} {}".format(int(n), comment), file=self.f) def u32(self, n, comment=""): print("u32 {} {}".format(int(n), comment), file=self.f) def pop(self): print("pop", file=self.f)
class Bbawriter: def __init__(self, f): self.f = f def pre(self, s): print('pre {}'.format(s), file=self.f) def post(self, s): print('post {}'.format(s), file=self.f) def push(self, s): print('push {}'.format(s), file=self.f) def offset32(self): print('offset32', file=self.f) def ref(self, r, comment=''): print('ref {} {}'.format(r, comment), file=self.f) def str(self, s, comment=''): print('str |{}| {}'.format(s, comment), file=self.f) def align(self): print('align', file=self.f) def label(self, s): print('label {}'.format(s), file=self.f) def u8(self, n, comment=''): print('u8 {} {}'.format(int(n), comment), file=self.f) def u16(self, n, comment=''): print('u16 {} {}'.format(int(n), comment), file=self.f) def u32(self, n, comment=''): print('u32 {} {}'.format(int(n), comment), file=self.f) def pop(self): print('pop', file=self.f)
del_items(0x80079E14) SetType(0x80079E14, "int GetTpY__FUs(unsigned short tpage)") del_items(0x80079E30) SetType(0x80079E30, "int GetTpX__FUs(unsigned short tpage)") del_items(0x80079E3C) SetType(0x80079E3C, "void Remove96__Fv()") del_items(0x80079E74) SetType(0x80079E74, "void AppMain()") del_items(0x80079F14) SetType(0x80079F14, "void MAIN_RestartGameTask__Fv()") del_items(0x80079F40) SetType(0x80079F40, "void GameTask__FP4TASK(struct TASK *T)") del_items(0x8007A028) SetType(0x8007A028, "void MAIN_MainLoop__Fv()") del_items(0x8007A070) SetType(0x8007A070, "void CheckMaxArgs__Fv()") del_items(0x8007A0A4) SetType(0x8007A0A4, "unsigned char GPUQ_InitModule__Fv()") del_items(0x8007A0B0) SetType(0x8007A0B0, "void GPUQ_FlushQ__Fv()") del_items(0x8007A224) SetType(0x8007A224, "void GPUQ_LoadImage__FP4RECTli(struct RECT *Rect, long ImgHandle, int Offset)") del_items(0x8007A2D8) SetType(0x8007A2D8, "void GPUQ_DiscardHandle__Fl(long hnd)") del_items(0x8007A378) SetType(0x8007A378, "void GPUQ_LoadClutAddr__FiiiPv(int X, int Y, int Cols, void *Addr)") del_items(0x8007A414) SetType(0x8007A414, "void GPUQ_MoveImage__FP4RECTii(struct RECT *R, int x, int y)") del_items(0x8007A4B4) SetType(0x8007A4B4, "unsigned char PRIM_Open__FiiiP10SCREEN_ENVUl(int Prims, int OtSize, int Depth, struct SCREEN_ENV *Scr, unsigned long MemType)") del_items(0x8007A5D0) SetType(0x8007A5D0, "unsigned char InitPrimBuffer__FP11PRIM_BUFFERii(struct PRIM_BUFFER *Pr, int Prims, int OtSize)") del_items(0x8007A6AC) SetType(0x8007A6AC, "void PRIM_Clip__FP4RECTi(struct RECT *R, int Depth)") del_items(0x8007A7D4) SetType(0x8007A7D4, "unsigned char PRIM_GetCurrentScreen__Fv()") del_items(0x8007A7E0) SetType(0x8007A7E0, "void PRIM_FullScreen__Fi(int Depth)") del_items(0x8007A81C) SetType(0x8007A81C, "void PRIM_Flush__Fv()") del_items(0x8007AA24) SetType(0x8007AA24, "unsigned long *PRIM_GetCurrentOtList__Fv()") del_items(0x8007AA30) SetType(0x8007AA30, "void ClearPbOnDrawSync(struct PRIM_BUFFER *Pb)") del_items(0x8007AA6C) SetType(0x8007AA6C, "unsigned char ClearedYet__Fv()") del_items(0x8007AA78) SetType(0x8007AA78, "void PrimDrawSycnCallBack()") del_items(0x8007AA98) SetType(0x8007AA98, "void SendDispEnv__Fv()") del_items(0x8007AABC) SetType(0x8007AABC, "struct POLY_F4 *PRIM_GetNextPolyF4__Fv()") del_items(0x8007AAD4) SetType(0x8007AAD4, "struct POLY_FT4 *PRIM_GetNextPolyFt4__Fv()") del_items(0x8007AAEC) SetType(0x8007AAEC, "struct POLY_GT4 *PRIM_GetNextPolyGt4__Fv()") del_items(0x8007AB04) SetType(0x8007AB04, "struct POLY_G4 *PRIM_GetNextPolyG4__Fv()") del_items(0x8007AB1C) SetType(0x8007AB1C, "struct POLY_F3 *PRIM_GetNextPolyF3__Fv()") del_items(0x8007AB34) SetType(0x8007AB34, "struct DR_MODE *PRIM_GetNextDrArea__Fv()") del_items(0x8007AB4C) SetType(0x8007AB4C, "bool ClipRect__FRC4RECTR4RECT(struct RECT *ClipRect, struct RECT *RectToClip)") del_items(0x8007AC60) SetType(0x8007AC60, "bool IsColiding__FRC4RECTT0(struct RECT *ClipRect, struct RECT *NewRect)") del_items(0x8007ACC8) SetType(0x8007ACC8, "void VID_AfterDisplay__Fv()") del_items(0x8007ACE8) SetType(0x8007ACE8, "void VID_ScrOn__Fv()") del_items(0x8007AD10) SetType(0x8007AD10, "void VID_DoThisNextSync__FPFv_v(void (*Func)())") del_items(0x8007AD68) SetType(0x8007AD68, "unsigned char VID_NextSyncRoutHasExecuted__Fv()") del_items(0x8007AD74) SetType(0x8007AD74, "unsigned long VID_GetTick__Fv()") del_items(0x8007AD80) SetType(0x8007AD80, "void VID_DispEnvSend()") del_items(0x8007ADBC) SetType(0x8007ADBC, "void VID_SetXYOff__Fii(int x, int y)") del_items(0x8007ADCC) SetType(0x8007ADCC, "int VID_GetXOff__Fv()") del_items(0x8007ADD8) SetType(0x8007ADD8, "int VID_GetYOff__Fv()") del_items(0x8007ADE4) SetType(0x8007ADE4, "void VID_SetDBuffer__Fb(bool DBuf)") del_items(0x8007AF00) SetType(0x8007AF00, "void MyFilter__FUlUlPCc(unsigned long MemType, unsigned long Size, char *Name)") del_items(0x8007AF08) SetType(0x8007AF08, "void SlowMemMove__FPvT0Ul(void *Dest, void *Source, unsigned long size)") del_items(0x8007AF28) SetType(0x8007AF28, "int GetTpY__FUs_addr_8007AF28(unsigned short tpage)") del_items(0x8007AF44) SetType(0x8007AF44, "int GetTpX__FUs_addr_8007AF44(unsigned short tpage)") del_items(0x8007AF50) SetType(0x8007AF50, "struct FileIO *SYSI_GetFs__Fv()") del_items(0x8007AF5C) SetType(0x8007AF5C, "struct FileIO *SYSI_GetOverlayFs__Fv()") del_items(0x8007AF68) SetType(0x8007AF68, "void SortOutFileSystem__Fv()") del_items(0x8007B0A4) SetType(0x8007B0A4, "void MemCb__FlPvUlPCcii(long hnd, void *Addr, unsigned long Size, char *Name, int Users, int TimeStamp)") del_items(0x8007B0C4) SetType(0x8007B0C4, "void Spanker__Fv()") del_items(0x8007B104) SetType(0x8007B104, "void GaryLiddon__Fv()") del_items(0x8007B10C) SetType(0x8007B10C, "void ReadPad__Fi(int NoDeb)") del_items(0x8007B1D0) SetType(0x8007B1D0, "void DummyPoll__Fv()") del_items(0x8007B1D8) SetType(0x8007B1D8, "void DaveOwens__Fv()") del_items(0x8007B200) SetType(0x8007B200, "unsigned short GetCur__C4CPad(struct CPad *this)") del_items(0x8007B228) SetType(0x8007B228, "int GetTpY__FUs_addr_8007B228(unsigned short tpage)") del_items(0x8007B244) SetType(0x8007B244, "int GetTpX__FUs_addr_8007B244(unsigned short tpage)") del_items(0x8007B250) SetType(0x8007B250, "void TimSwann__Fv()") del_items(0x8007B258) SetType(0x8007B258, "void stub__FPcPv(char *e, void *argptr)") del_items(0x8007B260) SetType(0x8007B260, "void eprint__FPcT0i(char *Text, char *File, int Line)") del_items(0x8007B294) SetType(0x8007B294, "void leighbird__Fv()") del_items(0x8007B2BC) SetType(0x8007B2BC, "struct FileIO *__6FileIOUl(struct FileIO *this, unsigned long OurMemId)") del_items(0x8007B30C) SetType(0x8007B30C, "void ___6FileIO(struct FileIO *this, int __in_chrg)") del_items(0x8007B360) SetType(0x8007B360, "long Read__6FileIOPCcUl(struct FileIO *this, char *Name, unsigned long RamId)") del_items(0x8007B4C8) SetType(0x8007B4C8, "int FileLen__6FileIOPCc(struct FileIO *this, char *Name)") del_items(0x8007B52C) SetType(0x8007B52C, "void FileNotFound__6FileIOPCc(struct FileIO *this, char *Name)") del_items(0x8007B54C) SetType(0x8007B54C, "bool StreamFile__6FileIOPCciPFPUciib_bii(struct FileIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)") del_items(0x8007B62C) SetType(0x8007B62C, "bool ReadAtAddr__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Dest, int Len)") del_items(0x8007B6F0) SetType(0x8007B6F0, "void DumpOldPath__6FileIO(struct FileIO *this)") del_items(0x8007B754) SetType(0x8007B754, "void SetSearchPath__6FileIOPCc(struct FileIO *this, char *Path)") del_items(0x8007B830) SetType(0x8007B830, "bool FindFile__6FileIOPCcPc(struct FileIO *this, char *Name, char *Buffa)") del_items(0x8007B944) SetType(0x8007B944, "char *CopyPathItem__6FileIOPcPCc(struct FileIO *this, char *Dst, char *Src)") del_items(0x8007B9EC) SetType(0x8007B9EC, "void LockSearchPath__6FileIO(struct FileIO *this)") del_items(0x8007BA44) SetType(0x8007BA44, "void UnlockSearchPath__6FileIO(struct FileIO *this)") del_items(0x8007BA9C) SetType(0x8007BA9C, "bool SearchPathExists__6FileIO(struct FileIO *this)") del_items(0x8007BAB0) SetType(0x8007BAB0, "bool Save__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Addr, int Len)") del_items(0x8007BAEC) SetType(0x8007BAEC, "struct PCIO *__4PCIOUl(struct PCIO *this, unsigned long OurMemId)") del_items(0x8007BB54) SetType(0x8007BB54, "void ___4PCIO(struct PCIO *this, int __in_chrg)") del_items(0x8007BBAC) SetType(0x8007BBAC, "bool FileExists__4PCIOPCc(struct PCIO *this, char *Name)") del_items(0x8007BBF0) SetType(0x8007BBF0, "bool LoReadFileAtAddr__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Dest, int Len)") del_items(0x8007BCB4) SetType(0x8007BCB4, "int GetFileLength__4PCIOPCc(struct PCIO *this, char *Name)") del_items(0x8007BD6C) SetType(0x8007BD6C, "bool LoSave__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Addr, int Len)") del_items(0x8007BE40) SetType(0x8007BE40, "bool LoStreamFile__4PCIOPCciPFPUciib_bii(struct PCIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)") del_items(0x8007C050) SetType(0x8007C050, "struct SysObj *__6SysObj(struct SysObj *this)") del_items(0x8007C068) SetType(0x8007C068, "void *__nw__6SysObji(int Amount)") del_items(0x8007C094) SetType(0x8007C094, "void *__nw__6SysObjiUl(int Amount, unsigned long RamID)") del_items(0x8007C110) SetType(0x8007C110, "void __dl__6SysObjPv(void *ptr)") del_items(0x8007C17C) SetType(0x8007C17C, "struct DatIO *__5DatIOUl(struct DatIO *this, unsigned long OurMemId)") del_items(0x8007C1B8) SetType(0x8007C1B8, "void ___5DatIO(struct DatIO *this, int __in_chrg)") del_items(0x8007C210) SetType(0x8007C210, "bool FileExists__5DatIOPCc(struct DatIO *this, char *Name)") del_items(0x8007C250) SetType(0x8007C250, "bool LoReadFileAtAddr__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Dest, int Len)") del_items(0x8007C310) SetType(0x8007C310, "int GetFileLength__5DatIOPCc(struct DatIO *this, char *Name)") del_items(0x8007C3C4) SetType(0x8007C3C4, "bool LoSave__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Addr, int Len)") del_items(0x8007C46C) SetType(0x8007C46C, "bool LoStreamFile__5DatIOPCciPFPUciib_bii(struct DatIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)") del_items(0x8007C678) SetType(0x8007C678, "struct TextDat *__7TextDat(struct TextDat *this)") del_items(0x8007C6B8) SetType(0x8007C6B8, "void ___7TextDat(struct TextDat *this, int __in_chrg)") del_items(0x8007C700) SetType(0x8007C700, "void Use__7TextDat(struct TextDat *this)") del_items(0x8007C8F4) SetType(0x8007C8F4, "bool TpLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)") del_items(0x8007C9C4) SetType(0x8007C9C4, "void StreamLoadTP__7TextDat(struct TextDat *this)") del_items(0x8007CA7C) SetType(0x8007CA7C, "void FinishedUsing__7TextDat(struct TextDat *this)") del_items(0x8007CAD8) SetType(0x8007CAD8, "void MakeBlockOffsetTab__7TextDat(struct TextDat *this)") del_items(0x8007CB48) SetType(0x8007CB48, "long MakeOffsetTab__C9CBlockHdr(struct CBlockHdr *this)") del_items(0x8007CC74) SetType(0x8007CC74, "void SetUVTp__7TextDatP9FRAME_HDRP8POLY_FT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4, int XFlip, int YFlip)") del_items(0x8007CD70) SetType(0x8007CD70, "struct POLY_FT4 *PrintMonster__7TextDatiiibi(struct TextDat *this, int Frm, int X, int Y, bool XFlip, int OtPos)") del_items(0x8007D178) SetType(0x8007D178, "void PrepareFt4__7TextDatP8POLY_FT4iiiii(struct TextDat *this, struct POLY_FT4 *FT4, int Frm, int X, int Y, int XFlip, int YFlip)") del_items(0x8007D3E4) SetType(0x8007D3E4, "unsigned char *GetDecompBufffer__7TextDati(struct TextDat *this, int Size)") del_items(0x8007D544) SetType(0x8007D544, "void SetUVTpGT4__7TextDatP9FRAME_HDRP8POLY_GT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT4 *FT4, int XFlip, int YFlip)") del_items(0x8007D640) SetType(0x8007D640, "void PrepareGt4__7TextDatP8POLY_GT4iiiii(struct TextDat *this, struct POLY_GT4 *GT4, int Frm, int X, int Y, int XFlip, int YFlip)") del_items(0x8007D89C) SetType(0x8007D89C, "void SetUVTpGT3__7TextDatP9FRAME_HDRP8POLY_GT3(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT3 *GT3)") del_items(0x8007D91C) SetType(0x8007D91C, "void PrepareGt3__7TextDatP8POLY_GT3iii(struct TextDat *this, struct POLY_GT3 *GT3, int Frm, int X, int Y)") del_items(0x8007DAE0) SetType(0x8007DAE0, "struct POLY_FT4 *PrintFt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)") del_items(0x8007DC34) SetType(0x8007DC34, "struct POLY_GT4 *PrintGt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)") del_items(0x8007DD88) SetType(0x8007DD88, "struct POLY_GT3 *PrintGt3__7TextDatiiii(struct TextDat *this, int Frm, int X, int Y, int OtPos)") del_items(0x8007DE6C) SetType(0x8007DE6C, "void DecompFrame__7TextDatP9FRAME_HDR(struct TextDat *this, struct FRAME_HDR *Fr)") del_items(0x8007DFC0) SetType(0x8007DFC0, "void MakeCreatureOffsetTab__7TextDat(struct TextDat *this)") del_items(0x8007E100) SetType(0x8007E100, "void MakePalOffsetTab__7TextDat(struct TextDat *this)") del_items(0x8007E1FC) SetType(0x8007E1FC, "void InitData__7TextDat(struct TextDat *this)") del_items(0x8007E228) SetType(0x8007E228, "void DumpData__7TextDat(struct TextDat *this)") del_items(0x8007E370) SetType(0x8007E370, "struct TextDat *GM_UseTexData__Fi(int Id)") del_items(0x8007E490) SetType(0x8007E490, "void GM_FinishedUsing__FP7TextDat(struct TextDat *Fin)") del_items(0x8007E4E4) SetType(0x8007E4E4, "void SetPal__7TextDatP9FRAME_HDRP8POLY_FT4(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4)") del_items(0x8007E5AC) SetType(0x8007E5AC, "int GetFrNum__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Direction, int Frame)") del_items(0x8007E600) SetType(0x8007E600, "bool IsDirAliased__7TextDatiii(struct TextDat *this, int Creature, int Action, int Direction)") del_items(0x8007E658) SetType(0x8007E658, "void DoDecompRequests__7TextDat(struct TextDat *this)") del_items(0x8007E77C) SetType(0x8007E77C, "void FindDecompArea__7TextDatR4RECT(struct TextDat *this, struct RECT *R)") del_items(0x8007E850) SetType(0x8007E850, "struct CTextFileInfo *GetFileInfo__7TextDati(struct TextDat *this, int Id)") del_items(0x8007E8A0) SetType(0x8007E8A0, "int GetSize__C15CCreatureAction(struct CCreatureAction *this)") del_items(0x8007E8C8) SetType(0x8007E8C8, "int GetFrNum__C15CCreatureActionii(struct CCreatureAction *this, int Direction, int Frame)") del_items(0x8007E970) SetType(0x8007E970, "void InitDirRemap__15CCreatureAction(struct CCreatureAction *this)") del_items(0x8007EA30) SetType(0x8007EA30, "int GetFrNum__C12CCreatureHdriii(struct CCreatureHdr *this, int Action, int Direction, int Frame)") del_items(0x8007EA74) SetType(0x8007EA74, "struct CCreatureAction *GetAction__C12CCreatureHdri(struct CCreatureHdr *this, int ActNum)") del_items(0x8007EB04) SetType(0x8007EB04, "void InitActionDirRemaps__12CCreatureHdr(struct CCreatureHdr *this)") del_items(0x8007EB74) SetType(0x8007EB74, "int GetSize__C12CCreatureHdr(struct CCreatureHdr *this)") del_items(0x8007EBE0) SetType(0x8007EBE0, "long LoadDat__C13CTextFileInfo(struct CTextFileInfo *this)") del_items(0x8007EC30) SetType(0x8007EC30, "long LoadHdr__C13CTextFileInfo(struct CTextFileInfo *this)") del_items(0x8007EC58) SetType(0x8007EC58, "long GetFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)") del_items(0x8007ECF4) SetType(0x8007ECF4, "bool HasFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)") del_items(0x8007ED5C) SetType(0x8007ED5C, "void Un64__FPUcT0l(unsigned char *Src, unsigned char *Dest, long SizeBytes)") del_items(0x8007EE30) SetType(0x8007EE30, "struct CScreen *__7CScreen(struct CScreen *this)") del_items(0x8007EE64) SetType(0x8007EE64, "void Load__7CScreeniii(struct CScreen *this, int Id, int tpx, int tpy)") del_items(0x8007F0E0) SetType(0x8007F0E0, "void Unload__7CScreen(struct CScreen *this)") del_items(0x8007F104) SetType(0x8007F104, "void Display__7CScreeniiii(struct CScreen *this, int Id, int tpx, int tpy, int fadeval)") del_items(0x8007F3E4) SetType(0x8007F3E4, "void SetRect__5CPartR7TextDatR4RECT(struct CPart *this, struct TextDat *TDat, struct RECT *R)") del_items(0x8007F45C) SetType(0x8007F45C, "void GetBoundingBox__6CBlockR7TextDatR4RECT(struct CBlock *this, struct TextDat *TDat, struct RECT *R)") del_items(0x8007F5B8) SetType(0x8007F5B8, "void _GLOBAL__D_DatPool()") del_items(0x8007F610) SetType(0x8007F610, "void _GLOBAL__I_DatPool()") del_items(0x8007F664) SetType(0x8007F664, "void PRIM_GetPrim__FPP8POLY_GT3(struct POLY_GT3 **Prim)") del_items(0x8007F6E0) SetType(0x8007F6E0, "void PRIM_GetPrim__FPP8POLY_GT4(struct POLY_GT4 **Prim)") del_items(0x8007F75C) SetType(0x8007F75C, "void PRIM_GetPrim__FPP8POLY_FT4(struct POLY_FT4 **Prim)") del_items(0x8007F7D8) SetType(0x8007F7D8, "bool CanXferFrame__C7TextDat(struct TextDat *this)") del_items(0x8007F800) SetType(0x8007F800, "bool CanXferPal__C7TextDat(struct TextDat *this)") del_items(0x8007F828) SetType(0x8007F828, "bool IsLoaded__C7TextDat(struct TextDat *this)") del_items(0x8007F834) SetType(0x8007F834, "int GetTexNum__C7TextDat(struct TextDat *this)") del_items(0x8007F840) SetType(0x8007F840, "struct CCreatureHdr *GetCreature__7TextDati(struct TextDat *this, int Creature)") del_items(0x8007F8B8) SetType(0x8007F8B8, "int GetNumOfCreatures__7TextDat(struct TextDat *this)") del_items(0x8007F8CC) SetType(0x8007F8CC, "void SetFileInfo__7TextDatPC13CTextFileInfoi(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)") del_items(0x8007F8D8) SetType(0x8007F8D8, "int GetNumOfFrames__7TextDat(struct TextDat *this)") del_items(0x8007F8EC) SetType(0x8007F8EC, "struct PAL *GetPal__7TextDati(struct TextDat *this, int PalNum)") del_items(0x8007F908) SetType(0x8007F908, "struct FRAME_HDR *GetFr__7TextDati(struct TextDat *this, int FrNum)") del_items(0x8007F924) SetType(0x8007F924, "char *GetName__C13CTextFileInfo(struct CTextFileInfo *this)") del_items(0x8007F930) SetType(0x8007F930, "bool HasDat__C13CTextFileInfo(struct CTextFileInfo *this)") del_items(0x8007F958) SetType(0x8007F958, "bool HasTp__C13CTextFileInfo(struct CTextFileInfo *this)") del_items(0x8007F980) SetType(0x8007F980, "int GetSize__C6CBlock(struct CBlock *this)") del_items(0x8007F994) SetType(0x8007F994, "struct CdIO *__4CdIOUl(struct CdIO *this, unsigned long OurMemId)") del_items(0x8007F9D8) SetType(0x8007F9D8, "void ___4CdIO(struct CdIO *this, int __in_chrg)") del_items(0x8007FA30) SetType(0x8007FA30, "bool FileExists__4CdIOPCc(struct CdIO *this, char *Name)") del_items(0x8007FA54) SetType(0x8007FA54, "bool LoReadFileAtAddr__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Dest, int Len)") del_items(0x8007FA7C) SetType(0x8007FA7C, "int GetFileLength__4CdIOPCc(struct CdIO *this, char *Name)") del_items(0x8007FAA0) SetType(0x8007FAA0, "bool LoSave__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Addr, int Len)") del_items(0x8007FB80) SetType(0x8007FB80, "void LoStreamCallBack__Fi(int handle)") del_items(0x8007FB90) SetType(0x8007FB90, "bool CD_GetCdlFILE__FPCcP7CdlFILE(char *Name, struct CdlFILE *RetFile)") del_items(0x8007FCDC) SetType(0x8007FCDC, "bool LoStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)") del_items(0x8007FF40) SetType(0x8007FF40, "void BL_InitEAC__Fv()") del_items(0x8008002C) SetType(0x8008002C, "long BL_ReadFile__FPcUl(char *Name, unsigned long RamId)") del_items(0x80080158) SetType(0x80080158, "void BL_LoadDirectory__Fv()") del_items(0x800802C4) SetType(0x800802C4, "void BL_LoadStreamDir__Fv()") del_items(0x8008057C) SetType(0x8008057C, "struct STRHDR *BL_MakeFilePosTab__FPUcUl(unsigned char *BL_DirPtr, unsigned long NoStreamFiles)") del_items(0x8008067C) SetType(0x8008067C, "struct STRHDR *BL_FindStreamFile__FPcc(char *Name, char LumpID)") del_items(0x80080818) SetType(0x80080818, "bool BL_FileExists__FPcc(char *Name, char LumpID)") del_items(0x8008083C) SetType(0x8008083C, "int BL_FileLength__FPcc(char *Name, char LumpID)") del_items(0x80080870) SetType(0x80080870, "bool BL_LoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)") del_items(0x80080958) SetType(0x80080958, "bool BL_AsyncLoadDone__Fv()") del_items(0x80080964) SetType(0x80080964, "void BL_AsyncLoadTASK__FP4TASK(struct TASK *T)") del_items(0x800809C8) SetType(0x800809C8, "bool BL_LoadFileAsync__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)") del_items(0x80080AA8) SetType(0x80080AA8, "struct STRHDR *BL_OpenStreamFile__FPcc(char *Name, char LumpID)") del_items(0x80080AD4) SetType(0x80080AD4, "bool BL_CloseStreamFile__FP6STRHDR(struct STRHDR *StreamHDR)") del_items(0x80080B0C) SetType(0x80080B0C, "long BL_LoadFile__FPcUl(char *Name, unsigned long RamId)") del_items(0x80080C24) SetType(0x80080C24, "int LZNP_Decode__FPUcT0(unsigned char *in, unsigned char *out)") del_items(0x80080CF8) SetType(0x80080CF8, "void *Tmalloc__Fi(int MemSize)") del_items(0x80080E1C) SetType(0x80080E1C, "void Tfree__FPv(void *Addr)") del_items(0x80080ECC) SetType(0x80080ECC, "void InitTmalloc__Fv()") del_items(0x80080EF4) SetType(0x80080EF4, "void strupr__FPc(char *Buffa)") del_items(0x80080F48) SetType(0x80080F48, "void PauseTask__FP4TASK(struct TASK *T)") del_items(0x80080F94) SetType(0x80080F94, "int GetPausePad__Fv()") del_items(0x8008106C) SetType(0x8008106C, "bool TryPadForPause__Fi(int PadNum)") del_items(0x80081098) SetType(0x80081098, "void DoPause__14CPauseMessagesi(struct CPauseMessages *this, int nPadNum)") del_items(0x800812E0) SetType(0x800812E0, "bool DoPausedMessage__14CPauseMessages(struct CPauseMessages *this)") del_items(0x800815F0) SetType(0x800815F0, "int DoQuitMessage__14CPauseMessages(struct CPauseMessages *this)") del_items(0x80081710) SetType(0x80081710, "bool AreYouSureMessage__14CPauseMessages(struct CPauseMessages *this)") del_items(0x80081814) SetType(0x80081814, "bool PA_SetPauseOk__Fb(bool NewPause)") del_items(0x80081824) SetType(0x80081824, "bool PA_GetPauseOk__Fv()") del_items(0x80081830) SetType(0x80081830, "void MY_PausePrint__17CTempPauseMessageiPci(struct CTempPauseMessage *this, int s, char *Txt, int Menu)") del_items(0x80081980) SetType(0x80081980, "void InitPrintQuitMessage__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081988) SetType(0x80081988, "void PrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)") del_items(0x80081A88) SetType(0x80081A88, "void LeavePrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)") del_items(0x80081A90) SetType(0x80081A90, "void InitPrintAreYouSure__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081A98) SetType(0x80081A98, "void PrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)") del_items(0x80081B98) SetType(0x80081B98, "void LeavePrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)") del_items(0x80081BA0) SetType(0x80081BA0, "void InitPrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081BA8) SetType(0x80081BA8, "void PrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081CD8) SetType(0x80081CD8, "void LeavePrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081CE0) SetType(0x80081CE0, "void ___17CTempPauseMessage(struct CTempPauseMessage *this, int __in_chrg)") del_items(0x80081D08) SetType(0x80081D08, "void _GLOBAL__D_DoPause__14CPauseMessagesi()") del_items(0x80081D30) SetType(0x80081D30, "void _GLOBAL__I_DoPause__14CPauseMessagesi()") del_items(0x80081D58) SetType(0x80081D58, "struct CTempPauseMessage *__17CTempPauseMessage(struct CTempPauseMessage *this)") del_items(0x80081D9C) SetType(0x80081D9C, "void ___14CPauseMessages(struct CPauseMessages *this, int __in_chrg)") del_items(0x80081DD0) SetType(0x80081DD0, "struct CPauseMessages *__14CPauseMessages(struct CPauseMessages *this)") del_items(0x80081DE4) SetType(0x80081DE4, "void SetRGB__6DialogUcUcUc(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x80081E04) SetType(0x80081E04, "void SetBack__6Dialogi(struct Dialog *this, int Type)") del_items(0x80081E0C) SetType(0x80081E0C, "void SetBorder__6Dialogi(struct Dialog *this, int Type)") del_items(0x80081E14) SetType(0x80081E14, "void ___6Dialog(struct Dialog *this, int __in_chrg)") del_items(0x80081E3C) SetType(0x80081E3C, "struct Dialog *__6Dialog(struct Dialog *this)") del_items(0x80081E98) SetType(0x80081E98, "unsigned short GetDown__C4CPad(struct CPad *this)") del_items(0x80081EC0) SetType(0x80081EC0, "unsigned short GetUp__C4CPad(struct CPad *this)") del_items(0x80081EE8) SetType(0x80081EE8, "unsigned char CheckActive__4CPad(struct CPad *this)") del_items(0x80081EF4) SetType(0x80081EF4, "unsigned long ReadPadStream__Fv()") del_items(0x8008200C) SetType(0x8008200C, "void PAD_Handler__Fv()") del_items(0x800821C4) SetType(0x800821C4, "struct CPad *PAD_GetPad__FiUc(int PadNum, unsigned char both)") del_items(0x80082260) SetType(0x80082260, "void NewVal__4CPadUs(struct CPad *this, unsigned short New)") del_items(0x80082398) SetType(0x80082398, "void BothNewVal__4CPadUsUs(struct CPad *this, unsigned short New, unsigned short New2)") del_items(0x800824F4) SetType(0x800824F4, "unsigned short Trans__4CPadUs(struct CPad *this, unsigned short PadVal)") del_items(0x80082618) SetType(0x80082618, "void _GLOBAL__I_Pad0()") del_items(0x80082650) SetType(0x80082650, "void SetPadType__4CPadUc(struct CPad *this, unsigned char val)") del_items(0x80082658) SetType(0x80082658, "unsigned char CheckActive__4CPad_addr_80082658(struct CPad *this)") del_items(0x80082664) SetType(0x80082664, "void SetActive__4CPadUc(struct CPad *this, unsigned char a)") del_items(0x8008266C) SetType(0x8008266C, "void SetBothFlag__4CPadUc(struct CPad *this, unsigned char fl)") del_items(0x80082674) SetType(0x80082674, "struct CPad *__4CPadi(struct CPad *this, int PhysStick)") del_items(0x800826A8) SetType(0x800826A8, "void Flush__4CPad(struct CPad *this)") del_items(0x800826CC) SetType(0x800826CC, "void Set__7FontTab(struct FontTab *this)") del_items(0x80082768) SetType(0x80082768, "void InitPrinty__Fv()") del_items(0x800827F0) SetType(0x800827F0, "void SetTextDat__5CFontP7TextDat(struct CFont *this, struct TextDat *NewDat)") del_items(0x800827F8) SetType(0x800827F8, "int PrintChar__5CFontUsUscUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, char C, int R, int G, int B)") del_items(0x80082978) SetType(0x80082978, "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(0x80082D10) SetType(0x80082D10, "int GetStrWidth__5CFontPc(struct CFont *this, char *Str)") del_items(0x80082D78) SetType(0x80082D78, "void SetChar__5CFontiUs(struct CFont *this, int ch, unsigned short Frm)") del_items(0x80082DDC) SetType(0x80082DDC, "int SetOTpos__5CFonti(struct CFont *this, int OT)") del_items(0x80082DE8) SetType(0x80082DE8, "void ClearFont__5CFont(struct CFont *this)") del_items(0x80082E0C) SetType(0x80082E0C, "bool IsDefined__5CFontUc(struct CFont *this, unsigned char C)") del_items(0x80082E2C) SetType(0x80082E2C, "int GetCharFrameNum__5CFontc(struct CFont *this, char ch)") del_items(0x80082E44) SetType(0x80082E44, "int GetCharWidth__5CFontc(struct CFont *this, char ch)") del_items(0x80082E9C) SetType(0x80082E9C, "void Init__5CFont(struct CFont *this)") del_items(0x80082ED0) SetType(0x80082ED0, "struct FRAME_HDR *GetFr__7TextDati_addr_80082ED0(struct TextDat *this, int FrNum)") del_items(0x80082EEC) SetType(0x80082EEC, "unsigned char TrimCol__Fs(short col)") del_items(0x80082F24) SetType(0x80082F24, "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(0x8008389C) SetType(0x8008389C, "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(0x800839D4) SetType(0x800839D4, "void DropShadows__Fiiii(int x, int y, int w, int h)") del_items(0x80083C78) SetType(0x80083C78, "void InitDialog__Fv()") del_items(0x80083DB0) SetType(0x80083DB0, "void GetSizes__6Dialog(struct Dialog *this)") del_items(0x80084008) SetType(0x80084008, "void Back__6Dialogiiii(struct Dialog *this, int DX, int DY, int DW, int DH)") del_items(0x800851C8) SetType(0x800851C8, "void Line__6Dialogiii(struct Dialog *this, int DX, int DY, int DW)") del_items(0x800853E0) SetType(0x800853E0, "struct PAL *GetPal__7TextDati_addr_800853E0(struct TextDat *this, int PalNum)") del_items(0x800853FC) SetType(0x800853FC, "struct FRAME_HDR *GetFr__7TextDati_addr_800853FC(struct TextDat *this, int FrNum)") del_items(0x80085418) SetType(0x80085418, "void ATT_DoAttract__Fv()") del_items(0x80085518) SetType(0x80085518, "void CreatePlayersFromFeData__FR9FE_CREATE(struct FE_CREATE *CStruct)") del_items(0x800855B4) SetType(0x800855B4, "void UpdateSel__FPUsUsPUc(unsigned short *Col, unsigned short Add, unsigned char *Count)") del_items(0x800855F4) SetType(0x800855F4, "void CycleSelCols__Fv()") del_items(0x80085784) SetType(0x80085784, "int FindTownCreature__7CBlocksi(struct CBlocks *this, int GameEqu)") del_items(0x800857F8) SetType(0x800857F8, "int FindCreature__7CBlocksi(struct CBlocks *this, int MgNum)") del_items(0x8008584C) SetType(0x8008584C, "struct CBlocks *__7CBlocksiiiii(struct CBlocks *this, int BgId, int ObjId, int ItemId, int Level, int List)") del_items(0x800859A0) SetType(0x800859A0, "void SetTownersGraphics__7CBlocks(struct CBlocks *this)") del_items(0x800859D8) SetType(0x800859D8, "void SetMonsterGraphics__7CBlocksii(struct CBlocks *this, int Level, int List)") del_items(0x80085AA0) SetType(0x80085AA0, "void ___7CBlocks(struct CBlocks *this, int __in_chrg)") del_items(0x80085B28) SetType(0x80085B28, "void DumpGt4s__7CBlocks(struct CBlocks *this)") del_items(0x80085B90) SetType(0x80085B90, "void DumpRects__7CBlocks(struct CBlocks *this)") del_items(0x80085BF8) SetType(0x80085BF8, "void SetGraphics__7CBlocksPP7TextDatPii(struct CBlocks *this, struct TextDat **TDat, int *pId, int Id)") del_items(0x80085C54) SetType(0x80085C54, "void DumpGraphics__7CBlocksPP7TextDatPi(struct CBlocks *this, struct TextDat **TDat, int *Id)") del_items(0x80085CA4) SetType(0x80085CA4, "void PrintBlockOutline__7CBlocksiiiii(struct CBlocks *this, int x, int y, int r, int g, int b)") del_items(0x80085FF0) SetType(0x80085FF0, "void Load__7CBlocksi(struct CBlocks *this, int Id)") del_items(0x8008609C) SetType(0x8008609C, "void MakeRectTable__7CBlocks(struct CBlocks *this)") del_items(0x80086170) SetType(0x80086170, "void MakeGt4Table__7CBlocks(struct CBlocks *this)") del_items(0x80086278) SetType(0x80086278, "void MakeGt4__7CBlocksP8POLY_GT4P9FRAME_HDR(struct CBlocks *this, struct POLY_GT4 *GT4, struct FRAME_HDR *Fr)") del_items(0x800863B4) SetType(0x800863B4, "struct CBlock *GetBlock__7CBlocksi(struct CBlocks *this, int num)") del_items(0x8008642C) SetType(0x8008642C, "void Print__7CBlocks(struct CBlocks *this)") del_items(0x80086454) SetType(0x80086454, "void SetXY__7CBlocksii(struct CBlocks *this, int nx, int ny)") del_items(0x8008647C) SetType(0x8008647C, "void GetXY__7CBlocksPiT1(struct CBlocks *this, int *nx, int *ny)") del_items(0x80086494) SetType(0x80086494, "void PrintMap__7CBlocksii(struct CBlocks *this, int x, int y)") del_items(0x8008799C) SetType(0x8008799C, "void PrintGameSprites__7CBlocksiiiii(struct CBlocks *this, int ThisXPos, int ThisYPos, int OtPos, int ScrX, int ScrY)") del_items(0x80087B0C) SetType(0x80087B0C, "void PrintGameSprites__7CBlocksP8map_infoiiiiiii(struct CBlocks *this, struct map_info *piece, int OtPos, int ScrX, int ScrY, int R, int G, int B)") del_items(0x80088824) SetType(0x80088824, "void PrintSprites__7CBlocksP8map_infoiiiiiii(struct CBlocks *this, struct map_info *piece, int OtPos, int ScrX, int ScrY, int R, int G, int B)") del_items(0x80088EE8) SetType(0x80088EE8, "void PrintSprites__7CBlocksiiiii(struct CBlocks *this, int ThisXPos, int ThisYPos, int OtPos, int ScrX, int ScrY)") del_items(0x80089058) SetType(0x80089058, "int ScrToWorldX__7CBlocksii(struct CBlocks *this, int sx, int sy)") del_items(0x8008906C) SetType(0x8008906C, "int ScrToWorldY__7CBlocksii(struct CBlocks *this, int sx, int sy)") del_items(0x80089080) SetType(0x80089080, "void SetScrollTarget__7CBlocksii(struct CBlocks *this, int x, int y)") del_items(0x80089144) SetType(0x80089144, "void DoScroll__7CBlocks(struct CBlocks *this)") del_items(0x800891AC) SetType(0x800891AC, "void SetPlayerPosBlocks__7CBlocksiii(struct CBlocks *this, int PlayerNum, int bx, int by)") del_items(0x8008924C) SetType(0x8008924C, "void GetScrXY__7CBlocksR4RECTiiii(struct CBlocks *this, struct RECT *R, int x, int y, int sxoff, int syoff)") del_items(0x80089320) SetType(0x80089320, "void ShadScaleSkew__7CBlocksP8POLY_FT4(struct POLY_FT4 *Ft4)") del_items(0x800893A0) SetType(0x800893A0, "int WorldToScrX__7CBlocksii(struct CBlocks *this, int x, int y)") del_items(0x800893A8) SetType(0x800893A8, "int WorldToScrY__7CBlocksii(struct CBlocks *this, int x, int y)") del_items(0x800893BC) SetType(0x800893BC, "struct CBlocks *BL_GetCurrentBlocks__Fv()") del_items(0x800893C8) SetType(0x800893C8, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800893C8(struct POLY_FT4 **Prim)") del_items(0x80089444) SetType(0x80089444, "int GetHighlightCol__FiPiUsUsUs(int Index, int *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)") del_items(0x8008948C) SetType(0x8008948C, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4(struct POLY_FT4 *Prim)") del_items(0x800894C8) SetType(0x800894C8, "int GetHighlightCol__FiPcUsUsUs(int Index, char *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)") del_items(0x80089510) SetType(0x80089510, "void PRIM_GetPrim__FPP8POLY_GT4_addr_80089510(struct POLY_GT4 **Prim)") del_items(0x8008958C) SetType(0x8008958C, "void PRIM_GetPrim__FPP7LINE_F2(struct LINE_F2 **Prim)") del_items(0x80089608) SetType(0x80089608, "void PRIM_CopyPrim__FP8POLY_FT4T0(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)") del_items(0x80089630) SetType(0x80089630, "int GetCreature__14TownToCreaturei(struct TownToCreature *this, int GameCreature)") del_items(0x8008964C) SetType(0x8008964C, "void SetItemGraphics__7CBlocksi(struct CBlocks *this, int Id)") del_items(0x80089674) SetType(0x80089674, "void SetObjGraphics__7CBlocksi(struct CBlocks *this, int Id)") del_items(0x8008969C) SetType(0x8008969C, "void DumpItems__7CBlocks(struct CBlocks *this)") del_items(0x800896C0) SetType(0x800896C0, "void DumpObjs__7CBlocks(struct CBlocks *this)") del_items(0x800896E4) SetType(0x800896E4, "void DumpMonsters__7CBlocks(struct CBlocks *this)") del_items(0x8008970C) SetType(0x8008970C, "int GetNumOfBlocks__7CBlocks(struct CBlocks *this)") del_items(0x80089718) SetType(0x80089718, "void CopyToGt4__9LittleGt4P8POLY_GT4(struct LittleGt4 *this, struct POLY_GT4 *Gt4)") del_items(0x800897B0) SetType(0x800897B0, "void InitFromGt4__9LittleGt4P8POLY_GT4ii(struct LittleGt4 *this, struct POLY_GT4 *Gt4, int nw, int nh)") del_items(0x80089840) SetType(0x80089840, "int GetNumOfFrames__7TextDatii(struct TextDat *this, int Creature, int Action)") del_items(0x80089878) SetType(0x80089878, "struct CCreatureHdr *GetCreature__7TextDati_addr_80089878(struct TextDat *this, int Creature)") del_items(0x800898F0) SetType(0x800898F0, "int GetNumOfCreatures__7TextDat_addr_800898F0(struct TextDat *this)") del_items(0x80089904) SetType(0x80089904, "void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_80089904(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)") del_items(0x80089910) SetType(0x80089910, "struct PAL *GetPal__7TextDati_addr_80089910(struct TextDat *this, int PalNum)") del_items(0x8008992C) SetType(0x8008992C, "struct FRAME_HDR *GetFr__7TextDati_addr_8008992C(struct TextDat *this, int FrNum)") del_items(0x80089948) SetType(0x80089948, "bool OVR_IsMemcardOverlayBlank__Fv()") del_items(0x80089974) SetType(0x80089974, "void OVR_LoadPregame__Fv()") del_items(0x8008999C) SetType(0x8008999C, "void OVR_LoadFrontend__Fv()") del_items(0x800899C4) SetType(0x800899C4, "void OVR_LoadGame__Fv()") del_items(0x800899EC) SetType(0x800899EC, "void OVR_LoadFmv__Fv()") del_items(0x80089A14) SetType(0x80089A14, "void OVR_LoadMemcard__Fv()") del_items(0x80089A40) SetType(0x80089A40, "void ClearOutOverlays__Fv()") del_items(0x80089A98) SetType(0x80089A98, "void ClearOut__7Overlay(struct Overlay *this)") del_items(0x80089B5C) SetType(0x80089B5C, "void Load__7Overlay(struct Overlay *this)") del_items(0x80089BCC) SetType(0x80089BCC, "enum OVER_TYPE OVR_GetCurrentOverlay__Fv()") del_items(0x80089BD8) SetType(0x80089BD8, "void LoadOver__FR7Overlay(struct Overlay *Ovr)") del_items(0x80089C2C) SetType(0x80089C2C, "void _GLOBAL__I_OVR_Open__Fv()") del_items(0x80089D9C) SetType(0x80089D9C, "enum OVER_TYPE GetOverType__7Overlay(struct Overlay *this)") del_items(0x80089DA8) SetType(0x80089DA8, "void StevesDummyPoll__Fv()") del_items(0x80089DB0) SetType(0x80089DB0, "void Lambo__Fv()") del_items(0x80089DB8) SetType(0x80089DB8, "struct CPlayer *__7CPlayerbi(struct CPlayer *this, bool Town, int mPlayerNum)") del_items(0x80089E9C) SetType(0x80089E9C, "void ___7CPlayer(struct CPlayer *this, int __in_chrg)") del_items(0x80089EF4) SetType(0x80089EF4, "void Load__7CPlayeri(struct CPlayer *this, int Id)") del_items(0x80089F50) SetType(0x80089F50, "void SetBlockXY__7CPlayerR7CBlocksR12PlayerStruct(struct CPlayer *this, struct CBlocks *Bg, struct PlayerStruct *Plr)") del_items(0x8008A09C) SetType(0x8008A09C, "void SetScrollTarget__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)") del_items(0x8008A4C8) SetType(0x8008A4C8, "int GetNumOfSpellAnims__FR12PlayerStruct(struct PlayerStruct *Plr)") del_items(0x8008A548) SetType(0x8008A548, "void Print__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)") del_items(0x8008AA3C) SetType(0x8008AA3C, "int FindAction__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)") del_items(0x8008AAB8) SetType(0x8008AAB8, "enum PACTION FindActionEnum__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)") del_items(0x8008AB34) SetType(0x8008AB34, "void Init__7CPlayer(struct CPlayer *this)") del_items(0x8008AB3C) SetType(0x8008AB3C, "void Dump__7CPlayer(struct CPlayer *this)") del_items(0x8008AB44) SetType(0x8008AB44, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8008AB44(struct POLY_FT4 **Prim)") del_items(0x8008ABC0) SetType(0x8008ABC0, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_8008ABC0(struct POLY_FT4 *Prim)") del_items(0x8008ABFC) SetType(0x8008ABFC, "void PRIM_CopyPrim__FP8POLY_FT4T0_addr_8008ABFC(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)") del_items(0x8008AC24) SetType(0x8008AC24, "int GetPlrOt__7CBlocksi(struct CBlocks *this, int PlayerNum)") del_items(0x8008AC38) SetType(0x8008AC38, "void SetDecompArea__7TextDatiiii(struct TextDat *this, int nDecX, int nDecY, int nPalX, int nPalY)") del_items(0x8008AC50) SetType(0x8008AC50, "int GetNumOfFrames__7TextDatii_addr_8008AC50(struct TextDat *this, int Creature, int Action)") del_items(0x8008AC88) SetType(0x8008AC88, "int GetNumOfActions__7TextDati(struct TextDat *this, int Creature)") del_items(0x8008ACAC) SetType(0x8008ACAC, "struct CCreatureHdr *GetCreature__7TextDati_addr_8008ACAC(struct TextDat *this, int Creature)") del_items(0x8008AD24) SetType(0x8008AD24, "int GetNumOfCreatures__7TextDat_addr_8008AD24(struct TextDat *this)") del_items(0x8008AD38) SetType(0x8008AD38, "void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_8008AD38(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)") del_items(0x8008AD44) SetType(0x8008AD44, "void PROF_Open__Fv()") del_items(0x8008AD84) SetType(0x8008AD84, "bool PROF_State__Fv()") del_items(0x8008AD90) SetType(0x8008AD90, "void PROF_On__Fv()") del_items(0x8008ADA0) SetType(0x8008ADA0, "void PROF_Off__Fv()") del_items(0x8008ADAC) SetType(0x8008ADAC, "void PROF_CpuEnd__Fv()") del_items(0x8008ADDC) SetType(0x8008ADDC, "void PROF_CpuStart__Fv()") del_items(0x8008AE00) SetType(0x8008AE00, "void PROF_DrawStart__Fv()") del_items(0x8008AE24) SetType(0x8008AE24, "void PROF_DrawEnd__Fv()") del_items(0x8008AE54) SetType(0x8008AE54, "void PROF_Draw__FPUl(unsigned long *Ot)") del_items(0x8008B048) SetType(0x8008B048, "void PROF_Restart__Fv()") del_items(0x8008B068) SetType(0x8008B068, "void PSX_WndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)") del_items(0x8008B128) SetType(0x8008B128, "void PSX_PostWndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)") del_items(0x8008B1D8) SetType(0x8008B1D8, "void GoBackLevel__Fv()") del_items(0x8008B250) SetType(0x8008B250, "void GoWarpLevel__Fv()") del_items(0x8008B288) SetType(0x8008B288, "void PostLoadGame__Fv()") del_items(0x8008B324) SetType(0x8008B324, "void GoLoadGame__Fv()") del_items(0x8008B3AC) SetType(0x8008B3AC, "void PostNewLevel__Fv()") del_items(0x8008B448) SetType(0x8008B448, "void GoNewLevel__Fv()") del_items(0x8008B49C) SetType(0x8008B49C, "void PostGoBackLevel__Fv()") del_items(0x8008B534) SetType(0x8008B534, "void GoForwardLevel__Fv()") del_items(0x8008B58C) SetType(0x8008B58C, "void PostGoForwardLevel__Fv()") del_items(0x8008B624) SetType(0x8008B624, "void GoNewGame__Fv()") del_items(0x8008B674) SetType(0x8008B674, "void PostNewGame__Fv()") del_items(0x8008B6AC) SetType(0x8008B6AC, "void LevelToLevelInit__Fv()") del_items(0x8008B704) SetType(0x8008B704, "unsigned int GetPal__6GPaneli(struct GPanel *this, int Frm)") del_items(0x8008B748) SetType(0x8008B748, "struct GPanel *__6GPaneli(struct GPanel *this, int Ofs)") del_items(0x8008B7A0) SetType(0x8008B7A0, "void DrawFlask__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008BC14) SetType(0x8008BC14, "void DrawSpeedBar__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008C098) SetType(0x8008C098, "void DrawSpell__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008C1F8) SetType(0x8008C1F8, "void DrawMsgWindow__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008C244) SetType(0x8008C244, "int DrawDurThingy__6GPaneliiP10ItemStructi(struct GPanel *this, int X, int Y, struct ItemStruct *Item, int ItemType)") del_items(0x8008C600) SetType(0x8008C600, "void DrawDurIcon__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008C6F4) SetType(0x8008C6F4, "void Print__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)") del_items(0x8008C7F8) SetType(0x8008C7F8, "struct PAL *GetPal__7TextDati_addr_8008C7F8(struct TextDat *this, int PalNum)") del_items(0x8008C814) SetType(0x8008C814, "struct FRAME_HDR *GetFr__7TextDati_addr_8008C814(struct TextDat *this, int FrNum)") del_items(0x8008C830) SetType(0x8008C830, "void STR_Debug__FP6SFXHDRPce(struct SFXHDR *sfh, char *e)") del_items(0x8008C844) SetType(0x8008C844, "void STR_SystemTask__FP4TASK(struct TASK *T)") del_items(0x8008C884) SetType(0x8008C884, "void STR_AllocBuffer__Fv()") del_items(0x8008C910) SetType(0x8008C910, "void STR_Init__Fv()") del_items(0x8008C9D8) SetType(0x8008C9D8, "struct SFXHDR *STR_InitStream__Fv()") del_items(0x8008CB10) SetType(0x8008CB10, "struct SFXHDR *STR_PlaySound__FUscic(unsigned short Name, char flag, int volume, char loop)") del_items(0x8008CC4C) SetType(0x8008CC4C, "void STR_setvolume__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008CCA4) SetType(0x8008CCA4, "void STR_PlaySFX__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008CDB0) SetType(0x8008CDB0, "void STR_pauseall__Fv()") del_items(0x8008CE00) SetType(0x8008CE00, "void STR_resumeall__Fv()") del_items(0x8008CE50) SetType(0x8008CE50, "void STR_CloseStream__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008CEBC) SetType(0x8008CEBC, "void STR_SoundCommand__FP6SFXHDRi(struct SFXHDR *sfh, int Command)") del_items(0x8008CFC8) SetType(0x8008CFC8, "char STR_Command__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008D0E8) SetType(0x8008D0E8, "void STR_DMAControl__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008D1B0) SetType(0x8008D1B0, "void STR_PlayStream__FP6SFXHDRPUci(struct SFXHDR *sfh, unsigned char *Src, int size)") del_items(0x8008D38C) SetType(0x8008D38C, "void STR_AsyncWeeTASK__FP4TASK(struct TASK *T)") del_items(0x8008D684) SetType(0x8008D684, "void STR_AsyncTASK__FP4TASK(struct TASK *T)") del_items(0x8008DAB0) SetType(0x8008DAB0, "void STR_StreamMainTask__FP6SFXHDRc(struct SFXHDR *sfh, char FileType)") del_items(0x8008DBC0) SetType(0x8008DBC0, "void SPU_Init__Fv()") del_items(0x8008DC90) SetType(0x8008DC90, "int SND_FindChannel__Fv()") del_items(0x8008DCFC) SetType(0x8008DCFC, "void SND_ClearBank__Fv()") del_items(0x8008DD74) SetType(0x8008DD74, "bool SndLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)") del_items(0x8008DDEC) SetType(0x8008DDEC, "void SND_LoadBank__Fi(int lvlnum)") del_items(0x8008DF20) SetType(0x8008DF20, "int SND_FindSFX__FUs(unsigned short Name)") del_items(0x8008DF74) SetType(0x8008DF74, "void SND_StopSnd__Fi(int voice)") del_items(0x8008DF98) SetType(0x8008DF98, "int SND_RemapSnd__Fi(int SFXNo)") del_items(0x8008DFFC) SetType(0x8008DFFC, "int SND_PlaySnd__FUsiii(unsigned short Name, int vol, int pan, int pitchadj)") del_items(0x8008E1B0) SetType(0x8008E1B0, "void AS_CallBack0__Fi(int handle)") del_items(0x8008E1C4) SetType(0x8008E1C4, "void AS_CallBack1__Fi(int handle)") del_items(0x8008E1D8) SetType(0x8008E1D8, "void AS_WasLastBlock__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)") del_items(0x8008E2B4) SetType(0x8008E2B4, "int AS_OpenStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)") del_items(0x8008E354) SetType(0x8008E354, "char AS_GetBlock__FP6SFXHDR(struct SFXHDR *sfh)") del_items(0x8008E360) SetType(0x8008E360, "void AS_CloseStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)") del_items(0x8008E38C) SetType(0x8008E38C, "int AS_LoopStream__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)") del_items(0x8008E4AC) SetType(0x8008E4AC, "unsigned short SCR_NeedHighlightPal__FUsUsi(unsigned short Clut, unsigned short PixVal, int NumOfCols)") del_items(0x8008E4E0) SetType(0x8008E4E0, "void Init__13PalCollectionPC7InitPos(struct PalCollection *this, struct InitPos *IPos)") del_items(0x8008E570) SetType(0x8008E570, "struct PalEntry *FindPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)") del_items(0x8008E64C) SetType(0x8008E64C, "struct PalEntry *NewPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)") del_items(0x8008E6CC) SetType(0x8008E6CC, "void MakePal__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)") del_items(0x8008E76C) SetType(0x8008E76C, "unsigned short GetHighlightPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)") del_items(0x8008E800) SetType(0x8008E800, "void UpdatePals__13PalCollection(struct PalCollection *this)") del_items(0x8008E874) SetType(0x8008E874, "void SCR_Handler__Fv()") del_items(0x8008E89C) SetType(0x8008E89C, "int GetNumOfObjs__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)") del_items(0x8008E8A4) SetType(0x8008E8A4, "struct PalEntry *GetObj__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)") del_items(0x8008E8E0) SetType(0x8008E8E0, "void Init__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)") del_items(0x8008E944) SetType(0x8008E944, "void MoveFromUsedToUnused__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)") del_items(0x8008E99C) SetType(0x8008E99C, "void MoveFromUnusedToUsed__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)") del_items(0x8008E9F4) SetType(0x8008E9F4, "void Set__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)") del_items(0x8008EA08) SetType(0x8008EA08, "void Set__8PalEntryRC7InitPos(struct PalEntry *this, struct InitPos *NewPos)") del_items(0x8008EA34) SetType(0x8008EA34, "bool SetJustUsed__8PalEntryb(struct PalEntry *this, bool NewVal)") del_items(0x8008EA3C) SetType(0x8008EA3C, "void Init__8PalEntry(struct PalEntry *this)") del_items(0x8008EA44) SetType(0x8008EA44, "unsigned short GetClut__C8PalEntry(struct PalEntry *this)") del_items(0x8008EA50) SetType(0x8008EA50, "bool IsEqual__C8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)") del_items(0x8008EA88) SetType(0x8008EA88, "struct PalEntry *GetNext__Ct11TLinkedList1Z8PalEntry(struct t11TLinkedList1Z8PalEntry *this)") del_items(0x8008EA94) SetType(0x8008EA94, "void AddToList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)") del_items(0x8008EAB4) SetType(0x8008EAB4, "void DetachFromList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)") del_items(0x8008EB00) SetType(0x8008EB00, "void stub__FPcPv_addr_8008EB00(char *e, void *argptr)") del_items(0x8008EB08) SetType(0x8008EB08, "void new_eprint__FPcT0i(char *Text, char *File, int Line)") del_items(0x8008EB3C) SetType(0x8008EB3C, "void TonysGameTask__FP4TASK(struct TASK *T)") del_items(0x8008EBC4) SetType(0x8008EBC4, "void print_demo_task__FP4TASK(struct TASK *T)") del_items(0x8008ECF4) SetType(0x8008ECF4, "void TonysDummyPoll__Fv()") del_items(0x8008ED18) SetType(0x8008ED18, "void load_demo_pad_data__FUl(unsigned long demo_num)") del_items(0x8008ED78) SetType(0x8008ED78, "void save_demo_pad_data__FUl(unsigned long demo_num)") del_items(0x8008EDD8) SetType(0x8008EDD8, "void set_pad_record_play__Fi(int level)") del_items(0x8008EE50) SetType(0x8008EE50, "void demo_game_task__FP4TASK(struct TASK *T)") del_items(0x8008EE88) SetType(0x8008EE88, "void start_demo__Fv()") del_items(0x8008EF04) SetType(0x8008EF04, "void tony__Fv()") del_items(0x8008EF3C) SetType(0x8008EF3C, "void GLUE_SetMonsterList__Fi(int List)") del_items(0x8008EF48) SetType(0x8008EF48, "int GLUE_GetMonsterList__Fv()") del_items(0x8008EF54) SetType(0x8008EF54, "void GLUE_SuspendGame__Fv()") del_items(0x8008EFA8) SetType(0x8008EFA8, "void GLUE_ResumeGame__Fv()") del_items(0x8008EFFC) SetType(0x8008EFFC, "void GLUE_PreTown__Fv()") del_items(0x8008F060) SetType(0x8008F060, "void GLUE_PreDun__Fv()") del_items(0x8008F0AC) SetType(0x8008F0AC, "bool GLUE_Finished__Fv()") del_items(0x8008F0B8) SetType(0x8008F0B8, "void GLUE_SetFinished__Fb(bool NewFinished)") del_items(0x8008F0C4) SetType(0x8008F0C4, "void GLUE_StartBg__Fibi(int TextId, bool IsTown, int Level)") del_items(0x8008F148) SetType(0x8008F148, "bool GLUE_SetShowGameScreenFlag__Fb(bool NewFlag)") del_items(0x8008F158) SetType(0x8008F158, "bool GLUE_SetHomingScrollFlag__Fb(bool NewFlag)") del_items(0x8008F168) SetType(0x8008F168, "bool GLUE_SetShowPanelFlag__Fb(bool NewFlag)") del_items(0x8008F178) SetType(0x8008F178, "void DoShowPanelGFX__FP6GPanelT0(struct GPanel *P1, struct GPanel *P2)") del_items(0x8008F250) SetType(0x8008F250, "void BgTask__FP4TASK(struct TASK *T)") del_items(0x8008F73C) SetType(0x8008F73C, "struct PInf *FindPlayerChar__FPc(char *Id)") del_items(0x8008F7C4) SetType(0x8008F7C4, "struct PInf *FindPlayerChar__Fiii(int Char, int Wep, int Arm)") del_items(0x8008F820) SetType(0x8008F820, "struct PInf *FindPlayerChar__FP12PlayerStruct(struct PlayerStruct *P)") del_items(0x8008F850) SetType(0x8008F850, "int FindPlayerChar__FP12PlayerStructb(struct PlayerStruct *P, bool InTown)") del_items(0x8008F890) SetType(0x8008F890, "void MakeSurePlayerDressedProperly__FR7CPlayerR12PlayerStructb(struct CPlayer *Player, struct PlayerStruct *Plr, bool InTown)") del_items(0x8008F8E4) SetType(0x8008F8E4, "struct MonstList *GLUE_GetCurrentList__Fi(int Level)") del_items(0x8008F990) SetType(0x8008F990, "int GetTexId__7CPlayer(struct CPlayer *this)") del_items(0x8008F99C) SetType(0x8008F99C, "void SetTown__7CBlocksb(struct CBlocks *this, bool Val)") del_items(0x8008F9A4) SetType(0x8008F9A4, "void MoveToScrollTarget__7CBlocks(struct CBlocks *this)") del_items(0x8008F9B8) SetType(0x8008F9B8, "char *get_action_str__Fii(int pval, int combo)") del_items(0x8008FA30) SetType(0x8008FA30, "int get_key_pad__Fi(int n)") del_items(0x8008FA68) SetType(0x8008FA68, "void RemoveCtrlScreen__Fv()") del_items(0x8008FAB8) SetType(0x8008FAB8, "unsigned char Init_ctrl_pos__Fv()") del_items(0x800900C8) SetType(0x800900C8, "int remove_padval__Fi(int p)") del_items(0x80090108) SetType(0x80090108, "int remove_comboval__Fi(int p)") del_items(0x80090148) SetType(0x80090148, "unsigned char set_buttons__Fii(int cline, int n)") del_items(0x8009029C) SetType(0x8009029C, "void restore_controller_settings__Fv()") del_items(0x800902E4) SetType(0x800902E4, "unsigned char main_ctrl_setup__Fv()") del_items(0x8009064C) SetType(0x8009064C, "void PrintCtrlString__FiiUcic(int x, int y, unsigned char cjustflag, int str_num, int col)") del_items(0x80090B5C) SetType(0x80090B5C, "void DrawCtrlSetup__Fv()") del_items(0x800910B8) SetType(0x800910B8, "void _GLOBAL__D_ctrlflag()") del_items(0x800910E0) SetType(0x800910E0, "void _GLOBAL__I_ctrlflag()") del_items(0x80091108) SetType(0x80091108, "unsigned short GetDown__C4CPad_addr_80091108(struct CPad *this)") del_items(0x80091130) SetType(0x80091130, "unsigned short GetCur__C4CPad_addr_80091130(struct CPad *this)") del_items(0x80091158) SetType(0x80091158, "void SetRGB__6DialogUcUcUc_addr_80091158(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x80091178) SetType(0x80091178, "void SetBorder__6Dialogi_addr_80091178(struct Dialog *this, int Type)") del_items(0x80091180) SetType(0x80091180, "int SetOTpos__6Dialogi(struct Dialog *this, int OT)") del_items(0x8009118C) SetType(0x8009118C, "void ___6Dialog_addr_8009118C(struct Dialog *this, int __in_chrg)") del_items(0x800911B4) SetType(0x800911B4, "struct Dialog *__6Dialog_addr_800911B4(struct Dialog *this)") del_items(0x80091210) SetType(0x80091210, "void switchnight__FP4TASK(struct TASK *T)") del_items(0x8009125C) SetType(0x8009125C, "void city_lights__FP4TASK(struct TASK *T)") del_items(0x800913DC) SetType(0x800913DC, "void color_cycle__FP4TASK(struct TASK *T)") del_items(0x80091520) SetType(0x80091520, "void DrawFlameLogo__Fv()") del_items(0x80091770) SetType(0x80091770, "void TitleScreen__FP7CScreen(struct CScreen *FeScreen)") del_items(0x800917C4) SetType(0x800917C4, "bool TryCreaturePrint__Fiiiiiii(int nMonster, int blockr, int blockg, int blockb, int OtPos, int ScrX, int ScrY)") del_items(0x80091A28) SetType(0x80091A28, "void TryWater__FiiP8POLY_GT4i(int BlockBase, int BlockNum, struct POLY_GT4 *DestGt4, int MyOt)") del_items(0x80091C10) SetType(0x80091C10, "void nightgfx__FibiP8POLY_GT4i(int BlockBase, bool water, int BlockNum, struct POLY_GT4 *DestGt4, int MyOt)") del_items(0x80091DD8) SetType(0x80091DD8, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_80091DD8(struct POLY_FT4 *Prim)") del_items(0x80091E14) SetType(0x80091E14, "void PRIM_CopyPrim__FP8POLY_FT4T0_addr_80091E14(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)") del_items(0x80091E3C) SetType(0x80091E3C, "void PRIM_GetPrim__FPP8POLY_FT4_addr_80091E3C(struct POLY_FT4 **Prim)") del_items(0x80091EB8) SetType(0x80091EB8, "int GetNumOfActions__7TextDati_addr_80091EB8(struct TextDat *this, int Creature)") del_items(0x80091EDC) SetType(0x80091EDC, "struct CCreatureHdr *GetCreature__7TextDati_addr_80091EDC(struct TextDat *this, int Creature)") del_items(0x80091F54) SetType(0x80091F54, "int GetNumOfCreatures__7TextDat_addr_80091F54(struct TextDat *this)") del_items(0x80091F68) SetType(0x80091F68, "void DaveLDummyPoll__Fv()") del_items(0x80091F70) SetType(0x80091F70, "void DaveL__Fv()") del_items(0x80091F98) SetType(0x80091F98, "void DoReflection__FP8POLY_FT4iii(struct POLY_FT4 *Ft4, int R, int G, int B)") del_items(0x80092278) SetType(0x80092278, "void mteleportfx__Fv()") del_items(0x80092554) SetType(0x80092554, "void invistimer__Fv()") del_items(0x80092620) SetType(0x80092620, "void setUVparams__FP8POLY_FT4P9FRAME_HDR(struct POLY_FT4 *Ft4, struct FRAME_HDR *Fr)") del_items(0x800926A8) SetType(0x800926A8, "void drawparticle__Fiiiiii(int x, int y, int scale, int anim, int colour, int OtPos)") del_items(0x80092898) SetType(0x80092898, "void drawpolyF4__Fiiiiii(int x, int y, int w, int h, int colour, int OtPos)") del_items(0x800929CC) SetType(0x800929CC, "void drawpolyG4__Fiiiiiiii(int x, int y, int w, int h1, int h2, int colour0, int colour1, int OtPos)") del_items(0x80092B9C) SetType(0x80092B9C, "void particlejump__Fv()") del_items(0x80092D3C) SetType(0x80092D3C, "void particleglow__Fv()") del_items(0x80092E20) SetType(0x80092E20, "void doparticlejump__Fv()") del_items(0x80092E60) SetType(0x80092E60, "void StartPartJump__Fiiiiii(int sx, int sy, int height, int scale, int colour, int OtPos)") del_items(0x80092FC8) SetType(0x80092FC8, "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(0x800933C0) SetType(0x800933C0, "void ParticleMissile__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)") del_items(0x80093480) SetType(0x80093480, "void Teleportfx__Fiiiiiii(int scrnx, int scrny, int width, int height, int scale, int colmask, int numpart)") del_items(0x80093728) SetType(0x80093728, "void ResurrectFX__Fiiii(int x, int height, int scale, int OtPos)") del_items(0x8009394C) SetType(0x8009394C, "void GetPlrPos__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)") del_items(0x80093A70) SetType(0x80093A70, "void healFX__Fv()") del_items(0x80093B88) SetType(0x80093B88, "void HealStart__Fi(int plr)") del_items(0x80093BBC) SetType(0x80093BBC, "void HealotherStart__Fi(int plr)") del_items(0x80093BF4) SetType(0x80093BF4, "void TeleStart__Fi(int plr)") del_items(0x80093C50) SetType(0x80093C50, "void PhaseStart__Fi(int plr)") del_items(0x80093C84) SetType(0x80093C84, "void InvisStart__Fi(int plr)") del_items(0x80093CB8) SetType(0x80093CB8, "void PhaseEnd__Fi(int plr)") del_items(0x80093CE4) SetType(0x80093CE4, "void ApocInit__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)") del_items(0x80093E90) SetType(0x80093E90, "void ApocUpdate__11SPELLFX_DAT(struct SPELLFX_DAT *this)") del_items(0x80093EFC) SetType(0x80093EFC, "void ApocaStart__Fi(int plr)") del_items(0x80093F50) SetType(0x80093F50, "void doapocaFX__Fv()") del_items(0x80094130) SetType(0x80094130, "void DaveLTask__FP4TASK(struct TASK *T)") del_items(0x80094194) SetType(0x80094194, "void PRIM_GetPrim__FPP7POLY_G4(struct POLY_G4 **Prim)") del_items(0x80094210) SetType(0x80094210, "void PRIM_GetPrim__FPP7POLY_F4(struct POLY_F4 **Prim)") del_items(0x8009428C) SetType(0x8009428C, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8009428C(struct POLY_FT4 **Prim)") del_items(0x80094308) SetType(0x80094308, "struct FRAME_HDR *GetFr__7TextDati_addr_80094308(struct TextDat *this, int FrNum)") del_items(0x80094324) SetType(0x80094324, "void DrawArrow__Fii(int x1, int y1)") del_items(0x80094528) SetType(0x80094528, "void show_spell_dir__Fi(int pnum)") del_items(0x80094924) SetType(0x80094924, "void release_spell__Fi(int pnum)") del_items(0x80094998) SetType(0x80094998, "void select_belt_item__Fi(int pnum)") del_items(0x800949A0) SetType(0x800949A0, "unsigned char any_belt_items__Fv()") del_items(0x80094A00) SetType(0x80094A00, "void get_last_inv__Fv()") del_items(0x80094B2C) SetType(0x80094B2C, "void get_next_inv__Fv()") del_items(0x80094C60) SetType(0x80094C60, "void pad_func_up__Fi(int pnum)") del_items(0x80094C8C) SetType(0x80094C8C, "void pad_func_down__Fi(int pnum)") del_items(0x80094CB8) SetType(0x80094CB8, "void pad_func_left__Fi(int pnum)") del_items(0x80094CC0) SetType(0x80094CC0, "void pad_func_right__Fi(int pnum)") del_items(0x80094CC8) SetType(0x80094CC8, "void pad_func_select__Fi(int pnum)") del_items(0x80094DB8) SetType(0x80094DB8, "void pad_func_Attack__Fi(int pnum)") del_items(0x80095178) SetType(0x80095178, "void pad_func_Action__Fi(int pnum)") del_items(0x80095498) SetType(0x80095498, "void InitTargetCursor__Fi(int pnum)") del_items(0x800955E0) SetType(0x800955E0, "void RemoveTargetCursor__Fi(int pnum)") del_items(0x80095670) SetType(0x80095670, "void pad_func_Cast_Spell__Fi(int pnum)") del_items(0x80095C6C) SetType(0x80095C6C, "void pad_func_Use_Item__Fi(int pnum)") del_items(0x80095D60) SetType(0x80095D60, "void pad_func_Chr__Fi(int pnum)") del_items(0x80095E9C) SetType(0x80095E9C, "void pad_func_Inv__Fi(int pnum)") del_items(0x80095FBC) SetType(0x80095FBC, "void pad_func_SplBook__Fi(int pnum)") del_items(0x800960D4) SetType(0x800960D4, "void pad_func_QLog__Fi(int pnum)") del_items(0x80096180) SetType(0x80096180, "void pad_func_SpellBook__Fi(int pnum)") del_items(0x8009624C) SetType(0x8009624C, "void pad_func_AutoMap__Fi(int pnum)") del_items(0x80096364) SetType(0x80096364, "void pad_func_Quick_Spell__Fi(int pnum)") del_items(0x800963D8) SetType(0x800963D8, "void check_inv__FiPci(int pnum, char *ilist, int entries)") del_items(0x800965A8) SetType(0x800965A8, "void pad_func_Quick_Use_Health__Fi(int pnum)") del_items(0x800965D0) SetType(0x800965D0, "void pad_func_Quick_Use_Mana__Fi(int pnum)") del_items(0x800965F8) SetType(0x800965F8, "int get_max_find_size__FPici(int *lsize, char mask, int pnum)") del_items(0x80096730) SetType(0x80096730, "int sort_gold__Fi(int pnum)") del_items(0x8009683C) SetType(0x8009683C, "void DrawObjSelector__Fi(int pnum)") del_items(0x800970F8) SetType(0x800970F8, "void DrawObjTask__FP4TASK(struct TASK *T)") del_items(0x800971D4) SetType(0x800971D4, "void add_area_find_object__Fciii(char type, int index, int x, int y)") del_items(0x800972E0) SetType(0x800972E0, "unsigned char CheckRangeObject__Fiici(int x, int y, char cmask, int distance)") del_items(0x80097694) SetType(0x80097694, "unsigned char CheckArea__FiiicUci(int xx, int yy, int range, char c_mask, int allflag, int pnum)") del_items(0x800978E0) SetType(0x800978E0, "void PlacePlayer__FiiiUc(int pnum, int x, int y, unsigned char do_current)") del_items(0x80097B14) SetType(0x80097B14, "void _GLOBAL__D_gplayer()") del_items(0x80097B3C) SetType(0x80097B3C, "void _GLOBAL__I_gplayer()") del_items(0x80097B64) SetType(0x80097B64, "void SetRGB__6DialogUcUcUc_addr_80097B64(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x80097B84) SetType(0x80097B84, "void SetBack__6Dialogi_addr_80097B84(struct Dialog *this, int Type)") del_items(0x80097B8C) SetType(0x80097B8C, "void SetBorder__6Dialogi_addr_80097B8C(struct Dialog *this, int Type)") del_items(0x80097B94) SetType(0x80097B94, "void ___6Dialog_addr_80097B94(struct Dialog *this, int __in_chrg)") del_items(0x80097BBC) SetType(0x80097BBC, "struct Dialog *__6Dialog_addr_80097BBC(struct Dialog *this)") del_items(0x80097C18) SetType(0x80097C18, "void MoveToScrollTarget__7CBlocks_addr_80097C18(struct CBlocks *this)") del_items(0x80097C2C) SetType(0x80097C2C, "unsigned short GetDown__C4CPad_addr_80097C2C(struct CPad *this)") del_items(0x80097C54) SetType(0x80097C54, "unsigned short GetCur__C4CPad_addr_80097C54(struct CPad *this)") del_items(0x80097C7C) SetType(0x80097C7C, "void DEC_AddAsDecRequestor__FP7TextDat(struct TextDat *Td)") del_items(0x80097CF8) SetType(0x80097CF8, "void DEC_RemoveAsDecRequestor__FP7TextDat(struct TextDat *Td)") del_items(0x80097D50) SetType(0x80097D50, "void DEC_DoDecompRequests__Fv()") del_items(0x80097DAC) SetType(0x80097DAC, "int FindThisTd__FP7TextDat(struct TextDat *Td)") del_items(0x80097DE4) SetType(0x80097DE4, "int FindEmptyIndex__Fv()") del_items(0x80097E1C) SetType(0x80097E1C, "void UPDATEPROGRESS__Fi(int inc)") del_items(0x80097E7C) SetType(0x80097E7C, "bool IsGameLoading__Fv()") del_items(0x80097E88) SetType(0x80097E88, "void PutUpCutScreenTSK__FP4TASK(struct TASK *T)") del_items(0x800982E0) SetType(0x800982E0, "void PutUpCutScreen__Fi(int lev)") del_items(0x80098390) SetType(0x80098390, "void TakeDownCutScreen__Fv()") del_items(0x800983D8) SetType(0x800983D8, "void FinishProgress__Fv()") del_items(0x80098420) SetType(0x80098420, "void PRIM_GetPrim__FPP7POLY_G4_addr_80098420(struct POLY_G4 **Prim)") del_items(0x8009849C) SetType(0x8009849C, "void _GLOBAL__D_UPDATEPROGRESS__Fi()") del_items(0x800984D4) SetType(0x800984D4, "void _GLOBAL__I_UPDATEPROGRESS__Fi()") del_items(0x8009850C) SetType(0x8009850C, "void SetRGB__6DialogUcUcUc_addr_8009850C(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x8009852C) SetType(0x8009852C, "void SetBack__6Dialogi_addr_8009852C(struct Dialog *this, int Type)") del_items(0x80098534) SetType(0x80098534, "void SetBorder__6Dialogi_addr_80098534(struct Dialog *this, int Type)") del_items(0x8009853C) SetType(0x8009853C, "void ___6Dialog_addr_8009853C(struct Dialog *this, int __in_chrg)") del_items(0x80098564) SetType(0x80098564, "struct Dialog *__6Dialog_addr_80098564(struct Dialog *this)") del_items(0x800985C0) SetType(0x800985C0, "void ___7CScreen(struct CScreen *this, int __in_chrg)") del_items(0x800985E0) SetType(0x800985E0, "void init_mem_card__FPFii_v(void (*handler)())") del_items(0x800987FC) SetType(0x800987FC, "void memcard_event__Fii(int evt, int side)") del_items(0x80098804) SetType(0x80098804, "void init_card__Fi(int card_number)") del_items(0x80098838) SetType(0x80098838, "int ping_card__Fi(int card_number)") del_items(0x800988CC) SetType(0x800988CC, "void CardUpdateTask__FP4TASK(struct TASK *T)") del_items(0x80098904) SetType(0x80098904, "void MemcardON__Fv()") del_items(0x80098970) SetType(0x80098970, "void MemcardOFF__Fv()") del_items(0x800989C0) SetType(0x800989C0, "void DrawDialogBox__FiiP4RECTiiii(int e, int f, struct RECT *DRect, int X, int Y, int W, int H)") del_items(0x80098AA4) SetType(0x80098AA4, "void DrawSpinner__FiiUcUcUciiibiT8(int x, int y, unsigned char SpinR, unsigned char SpinG, int SpinB, int spinradius, int spinbright, int angle, bool Sparkle, int OtPos, bool cross)") del_items(0x80098F6C) SetType(0x80098F6C, "void DrawMenu__Fi(int MenuNo)") del_items(0x80099A9C) SetType(0x80099A9C, "void ShowCharacterFiles__Fv()") del_items(0x8009A134) SetType(0x8009A134, "void MemcardPad__Fv()") del_items(0x8009A7D8) SetType(0x8009A7D8, "void SoundPad__Fv()") del_items(0x8009ADE8) SetType(0x8009ADE8, "void CentrePad__Fv()") del_items(0x8009B20C) SetType(0x8009B20C, "void CalcVolumes__Fv()") del_items(0x8009B34C) SetType(0x8009B34C, "void GetVolumes__Fv()") del_items(0x8009B454) SetType(0x8009B454, "void PrintInfoMenu__Fv()") del_items(0x8009B5FC) SetType(0x8009B5FC, "void DrawOptions__FP4TASK(struct TASK *T)") del_items(0x8009BC0C) SetType(0x8009BC0C, "void ToggleOptions__Fv()") del_items(0x8009BCAC) SetType(0x8009BCAC, "void FormatPad__Fv()") del_items(0x8009BFA4) SetType(0x8009BFA4, "void PRIM_GetPrim__FPP7POLY_G4_addr_8009BFA4(struct POLY_G4 **Prim)") del_items(0x8009C020) SetType(0x8009C020, "unsigned short GetTick__C4CPad(struct CPad *this)") del_items(0x8009C048) SetType(0x8009C048, "unsigned short GetDown__C4CPad_addr_8009C048(struct CPad *this)") del_items(0x8009C070) SetType(0x8009C070, "unsigned short GetUp__C4CPad_addr_8009C070(struct CPad *this)") del_items(0x8009C098) SetType(0x8009C098, "void SetPadTickMask__4CPadUs(struct CPad *this, unsigned short mask)") del_items(0x8009C0A0) SetType(0x8009C0A0, "void SetPadTick__4CPadUs(struct CPad *this, unsigned short tick)") del_items(0x8009C0A8) SetType(0x8009C0A8, "void SetRGB__6DialogUcUcUc_addr_8009C0A8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x8009C0C8) SetType(0x8009C0C8, "void SetBack__6Dialogi_addr_8009C0C8(struct Dialog *this, int Type)") del_items(0x8009C0D0) SetType(0x8009C0D0, "void SetBorder__6Dialogi_addr_8009C0D0(struct Dialog *this, int Type)") del_items(0x8009C0D8) SetType(0x8009C0D8, "int SetOTpos__6Dialogi_addr_8009C0D8(struct Dialog *this, int OT)") del_items(0x8009C0E4) SetType(0x8009C0E4, "void ___6Dialog_addr_8009C0E4(struct Dialog *this, int __in_chrg)") del_items(0x8009C10C) SetType(0x8009C10C, "struct Dialog *__6Dialog_addr_8009C10C(struct Dialog *this)") del_items(0x8009C168) SetType(0x8009C168, "struct FRAME_HDR *GetFr__7TextDati_addr_8009C168(struct TextDat *this, int FrNum)") del_items(0x8009C184) SetType(0x8009C184, "unsigned char BirdDistanceOK__Fiiii(int WorldXa, int WorldYa, int WorldXb, int WorldYb)") del_items(0x8009C1DC) SetType(0x8009C1DC, "void AlterBirdPos__FP10BIRDSTRUCTUc(struct BIRDSTRUCT *b, unsigned char rnd)") del_items(0x8009C3B8) SetType(0x8009C3B8, "void BirdWorld__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int wx, int wy)") del_items(0x8009C434) SetType(0x8009C434, "int BirdScared__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C514) SetType(0x8009C514, "int GetPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C568) SetType(0x8009C568, "void BIRD_StartHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C6D0) SetType(0x8009C6D0, "void BIRD_DoHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C7D4) SetType(0x8009C7D4, "void BIRD_StartPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C810) SetType(0x8009C810, "void BIRD_DoPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C894) SetType(0x8009C894, "void BIRD_DoScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C940) SetType(0x8009C940, "void BIRD_StartScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009C9E4) SetType(0x8009C9E4, "void BIRD_StartFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009CA88) SetType(0x8009CA88, "void BIRD_DoFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009CD34) SetType(0x8009CD34, "void BIRD_StartLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009CD40) SetType(0x8009CD40, "void BIRD_DoLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009CD90) SetType(0x8009CD90, "void PlaceFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)") del_items(0x8009CE7C) SetType(0x8009CE7C, "void ProcessFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)") del_items(0x8009CFAC) SetType(0x8009CFAC, "void InitBird__Fv()") del_items(0x8009D084) SetType(0x8009D084, "void ProcessBird__Fv()") del_items(0x8009D1DC) SetType(0x8009D1DC, "int GetBirdFrame__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)") del_items(0x8009D278) SetType(0x8009D278, "void bscale__FP8POLY_FT4i(struct POLY_FT4 *Ft4, int height)") del_items(0x8009D3A8) SetType(0x8009D3A8, "void doshadow__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int x, int y)") del_items(0x8009D4AC) SetType(0x8009D4AC, "void DrawLBird__Fv()") del_items(0x8009D6B8) SetType(0x8009D6B8, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8009D6B8(struct POLY_FT4 **Prim)") del_items(0x8009D734) SetType(0x8009D734, "short PlayFMV__FPCc(char *str)") del_items(0x8009D7DC) SetType(0x8009D7DC, "void play_movie(char *pszMovie)") del_items(0x8009D86C) SetType(0x8009D86C, "void DisplayMonsterTypes__Fv()") del_items(0x8009DD08) SetType(0x8009DD08, "unsigned short GetDown__C4CPad_addr_8009DD08(struct CPad *this)") del_items(0x8009DD30) SetType(0x8009DD30, "int GetNumOfFrames__7TextDatii_addr_8009DD30(struct TextDat *this, int Creature, int Action)") del_items(0x8009DD68) SetType(0x8009DD68, "struct CCreatureHdr *GetCreature__7TextDati_addr_8009DD68(struct TextDat *this, int Creature)") del_items(0x8009DDE0) SetType(0x8009DDE0, "int GetNumOfCreatures__7TextDat_addr_8009DDE0(struct TextDat *this)") del_items(0x8009DDF4) SetType(0x8009DDF4, "struct FRAME_HDR *GetFr__7TextDati_addr_8009DDF4(struct TextDat *this, int FrNum)") del_items(0x8002E850) SetType(0x8002E850, "unsigned char TrimCol__Fs_addr_8002E850(short col)") del_items(0x8002E888) SetType(0x8002E888, "void DrawSpellCel__FllUclUc(long xp, long yp, unsigned char Trans, long nCel, int w)") del_items(0x8002F3A4) SetType(0x8002F3A4, "void SetSpellTrans__Fc(char t)") del_items(0x8002F3B0) SetType(0x8002F3B0, "void DrawSpellBookTSK__FP4TASK(struct TASK *T)") del_items(0x8002F448) SetType(0x8002F448, "void DrawSpeedSpellTSK__FP4TASK(struct TASK *T)") del_items(0x8002F4C0) SetType(0x8002F4C0, "void ToggleSpell__Fi(int pnum)") del_items(0x8002F574) SetType(0x8002F574, "void DrawSpellList__Fv()") del_items(0x800302A4) SetType(0x800302A4, "void SetSpell__Fi(int pnum)") del_items(0x8003036C) SetType(0x8003036C, "void AddPanelString__FPCci(char *str, int just)") del_items(0x8003041C) SetType(0x8003041C, "void ClearPanel__Fv()") del_items(0x8003044C) SetType(0x8003044C, "void InitPanelStr__Fv()") del_items(0x8003046C) SetType(0x8003046C, "void InitControlPan__Fv()") del_items(0x800306AC) SetType(0x800306AC, "void DrawCtrlPan__Fv()") del_items(0x800306D8) SetType(0x800306D8, "void DoAutoMap__Fv()") del_items(0x8003074C) SetType(0x8003074C, "void CheckPanelInfo__Fv()") del_items(0x80030FD8) SetType(0x80030FD8, "void FreeControlPan__Fv()") del_items(0x800310E8) SetType(0x800310E8, "int CPrintString__FiPci(int No, char *pszStr, int Just)") del_items(0x80031204) SetType(0x80031204, "void PrintInfo__Fv()") del_items(0x80031440) SetType(0x80031440, "void DrawInfoBox__FP4RECT(struct RECT *InfoRect)") del_items(0x80031B7C) SetType(0x80031B7C, "void MY_PlrStringXY__Fv()") del_items(0x800320C8) SetType(0x800320C8, "void ADD_PlrStringXY__FPCcc(char *pszStr, char col)") del_items(0x80032170) SetType(0x80032170, "void DrawPlus__Fii(int n, int pnum)") del_items(0x800322D8) SetType(0x800322D8, "void ChrCheckValidButton__Fi(int move)") del_items(0x800323A4) SetType(0x800323A4, "void DrawArrows__Fv()") del_items(0x8003249C) SetType(0x8003249C, "void BuildChr__Fv()") del_items(0x800335FC) SetType(0x800335FC, "void DrawChr__Fv()") del_items(0x80033A78) SetType(0x80033A78, "void DrawChrTSK__FP4TASK(struct TASK *T)") del_items(0x80033B18) SetType(0x80033B18, "void DrawLevelUpIcon__Fi(int pnum)") del_items(0x80033BAC) SetType(0x80033BAC, "void CheckChrBtns__Fv()") del_items(0x80033DE0) SetType(0x80033DE0, "int DrawDurIcon4Item__FPC10ItemStructii(struct ItemStruct *pItem, int x, int c)") del_items(0x80033E64) SetType(0x80033E64, "void RedBack__Fv()") del_items(0x80033F4C) SetType(0x80033F4C, "void PrintSBookStr__FiiUcPCcUc(int x, int y, unsigned char cjustflag, char *pszStr, int bright)") del_items(0x80033FE4) SetType(0x80033FE4, "char GetSBookTrans__FiUc(int ii, unsigned char townok)") del_items(0x800341EC) SetType(0x800341EC, "void DrawSpellBook__Fv()") del_items(0x80034B2C) SetType(0x80034B2C, "void CheckSBook__Fv()") del_items(0x80034D80) SetType(0x80034D80, "char *get_pieces_str__Fi(int nGold)") del_items(0x80034DB4) SetType(0x80034DB4, "void _GLOBAL__D_fontkern()") del_items(0x80034DDC) SetType(0x80034DDC, "void _GLOBAL__I_fontkern()") del_items(0x80034E18) SetType(0x80034E18, "unsigned short GetDown__C4CPad_addr_80034E18(struct CPad *this)") del_items(0x80034E40) SetType(0x80034E40, "void SetRGB__6DialogUcUcUc_addr_80034E40(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x80034E60) SetType(0x80034E60, "void SetBack__6Dialogi_addr_80034E60(struct Dialog *this, int Type)") del_items(0x80034E68) SetType(0x80034E68, "void SetBorder__6Dialogi_addr_80034E68(struct Dialog *this, int Type)") del_items(0x80034E70) SetType(0x80034E70, "void ___6Dialog_addr_80034E70(struct Dialog *this, int __in_chrg)") del_items(0x80034E98) SetType(0x80034E98, "struct Dialog *__6Dialog_addr_80034E98(struct Dialog *this)") del_items(0x80034EF4) SetType(0x80034EF4, "struct PAL *GetPal__7TextDati_addr_80034EF4(struct TextDat *this, int PalNum)") del_items(0x80034F10) SetType(0x80034F10, "struct FRAME_HDR *GetFr__7TextDati_addr_80034F10(struct TextDat *this, int FrNum)") del_items(0x80034F2C) SetType(0x80034F2C, "void InitCursor__Fv()") del_items(0x80034F34) SetType(0x80034F34, "void FreeCursor__Fv()") del_items(0x80034F3C) SetType(0x80034F3C, "void SetICursor__Fi(int i)") del_items(0x80034F98) SetType(0x80034F98, "void SetCursor__Fi(int i)") del_items(0x80034FFC) SetType(0x80034FFC, "void NewCursor__Fi(int i)") del_items(0x8003501C) SetType(0x8003501C, "void InitLevelCursor__Fv()") del_items(0x8003507C) SetType(0x8003507C, "void CheckTown__Fv()") del_items(0x800352CC) SetType(0x800352CC, "void CheckRportal__Fv()") del_items(0x800354F4) SetType(0x800354F4, "void CheckCursMove__Fv()") del_items(0x800354FC) SetType(0x800354FC, "void InitDead__Fv()") del_items(0x800356F8) SetType(0x800356F8, "void AddDead__Fiici(int dx, int dy, char dv, int ddir)") del_items(0x80035740) SetType(0x80035740, "void FreeGameMem__Fv()") del_items(0x80035790) SetType(0x80035790, "void start_game__FUi(unsigned int uMsg)") del_items(0x800357EC) SetType(0x800357EC, "void free_game__Fv()") del_items(0x80035860) SetType(0x80035860, "void LittleStart__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)") del_items(0x80035924) SetType(0x80035924, "unsigned char StartGame__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)") del_items(0x80035B08) SetType(0x80035B08, "void run_game_loop__FUi(unsigned int uMsg)") del_items(0x80035C78) SetType(0x80035C78, "unsigned char TryIconCurs__Fv()") del_items(0x80036024) SetType(0x80036024, "unsigned long DisableInputWndProc__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)") del_items(0x8003602C) SetType(0x8003602C, "unsigned long GM_Game__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)") del_items(0x800360DC) SetType(0x800360DC, "void LoadLvlGFX__Fv()") del_items(0x80036178) SetType(0x80036178, "void LoadAllGFX__Fv()") del_items(0x80036198) SetType(0x80036198, "void CreateLevel__Fi(int lvldir)") del_items(0x80036290) SetType(0x80036290, "void LoCreateLevel__FPv()") del_items(0x80036418) SetType(0x80036418, "void ClearOutDungeonMap__Fv()") del_items(0x800364F4) SetType(0x800364F4, "void LoadGameLevel__FUci(unsigned char firstflag, int lvldir)") del_items(0x80036E10) SetType(0x80036E10, "void game_logic__Fv()") del_items(0x80036F1C) SetType(0x80036F1C, "void timeout_cursor__FUc(unsigned char bTimeout)") del_items(0x80036FC4) SetType(0x80036FC4, "void game_loop__FUc(unsigned char bStartup)") del_items(0x80036FFC) SetType(0x80036FFC, "void alloc_plr__Fv()") del_items(0x80037004) SetType(0x80037004, "void plr_encrypt__FUc(unsigned char bEncrypt)") del_items(0x8003700C) SetType(0x8003700C, "void assert_fail__FiPCcT1(int nLineNo, char *pszFile, char *pszFail)") del_items(0x8003702C) SetType(0x8003702C, "void assert_fail__FiPCc(int nLineNo, char *pszFile)") del_items(0x8003704C) SetType(0x8003704C, "void app_fatal(char *pszFile)") del_items(0x8003707C) SetType(0x8003707C, "void DoMemCardFromFrontEnd__Fv()") del_items(0x800370A4) SetType(0x800370A4, "void DoMemCardFromInGame__Fv()") del_items(0x800370CC) SetType(0x800370CC, "int GetActiveTowner__Fi(int t)") del_items(0x80037120) SetType(0x80037120, "void SetTownerGPtrs__FPUcPPUc(unsigned char *pData, unsigned char **pAnim)") del_items(0x80037140) SetType(0x80037140, "void NewTownerAnim__FiPUcii(int tnum, unsigned char *pAnim, int numFrames, int Delay)") del_items(0x80037188) SetType(0x80037188, "void InitTownerInfo__FilUciiici(int i, long w, unsigned char sel, int t, int x, int y, int ao, int tp)") del_items(0x800372E8) SetType(0x800372E8, "void InitQstSnds__Fi(int i)") del_items(0x800373A0) SetType(0x800373A0, "void InitSmith__Fv()") del_items(0x800374CC) SetType(0x800374CC, "void InitBarOwner__Fv()") del_items(0x80037600) SetType(0x80037600, "void InitTownDead__Fv()") del_items(0x80037730) SetType(0x80037730, "void InitWitch__Fv()") del_items(0x80037860) SetType(0x80037860, "void InitBarmaid__Fv()") del_items(0x80037990) SetType(0x80037990, "void InitBoy__Fv()") del_items(0x80037AC8) SetType(0x80037AC8, "void InitHealer__Fv()") del_items(0x80037BF8) SetType(0x80037BF8, "void InitTeller__Fv()") del_items(0x80037D28) SetType(0x80037D28, "void InitDrunk__Fv()") del_items(0x80037E58) SetType(0x80037E58, "void InitCows__Fv()") del_items(0x8003811C) SetType(0x8003811C, "void InitTowners__Fv()") del_items(0x800381A8) SetType(0x800381A8, "void FreeTownerGFX__Fv()") del_items(0x8003824C) SetType(0x8003824C, "void TownCtrlMsg__Fi(int i)") del_items(0x80038364) SetType(0x80038364, "void TownBlackSmith__Fv()") del_items(0x80038398) SetType(0x80038398, "void TownBarOwner__Fv()") del_items(0x800383CC) SetType(0x800383CC, "void TownDead__Fv()") del_items(0x800384B4) SetType(0x800384B4, "void TownHealer__Fv()") del_items(0x800384DC) SetType(0x800384DC, "void TownStory__Fv()") del_items(0x80038504) SetType(0x80038504, "void TownDrunk__Fv()") del_items(0x8003852C) SetType(0x8003852C, "void TownBoy__Fv()") del_items(0x80038554) SetType(0x80038554, "void TownWitch__Fv()") del_items(0x8003857C) SetType(0x8003857C, "void TownBarMaid__Fv()") del_items(0x800385A4) SetType(0x800385A4, "void TownCow__Fv()") del_items(0x800385CC) SetType(0x800385CC, "void ProcessTowners__Fv()") del_items(0x8003881C) SetType(0x8003881C, "struct ItemStruct *PlrHasItem__FiiRi(int pnum, int item, int *i)") del_items(0x800388E0) SetType(0x800388E0, "void CowSFX__Fi(int pnum)") del_items(0x800389EC) SetType(0x800389EC, "void TownerTalk__Fii(int first, int t)") del_items(0x80038A2C) SetType(0x80038A2C, "void TalkToTowner__Fii(int p, int t)") del_items(0x80039E24) SetType(0x80039E24, "unsigned char effect_is_playing__Fi(int nSFX)") del_items(0x80039E2C) SetType(0x80039E2C, "void stream_stop__Fv()") del_items(0x80039E74) SetType(0x80039E74, "void stream_play__FP4TSFXll(struct TSFX *pSFX, long lVolume, long lPan)") del_items(0x80039F38) SetType(0x80039F38, "void stream_update__Fv()") del_items(0x80039F40) SetType(0x80039F40, "void sfx_stop__Fv()") del_items(0x80039F5C) SetType(0x80039F5C, "void InitMonsterSND__Fi(int monst)") del_items(0x80039FB4) SetType(0x80039FB4, "void FreeMonsterSnd__Fv()") del_items(0x80039FBC) SetType(0x80039FBC, "unsigned char calc_snd_position__FiiPlT2(int x, int y, long *plVolume, long *plPan)") del_items(0x8003A0B8) SetType(0x8003A0B8, "void PlaySFX_priv__FP4TSFXUcii(struct TSFX *pSFX, unsigned char loc, int x, int y)") del_items(0x8003A1C0) SetType(0x8003A1C0, "void PlayEffect__Fii(int i, int mode)") del_items(0x8003A2E4) SetType(0x8003A2E4, "int RndSFX__Fi(int psfx)") del_items(0x8003A37C) SetType(0x8003A37C, "void PlaySFX__Fi(int psfx)") del_items(0x8003A3BC) SetType(0x8003A3BC, "void PlaySfxLoc__Fiii(int psfx, int x, int y)") del_items(0x8003A410) SetType(0x8003A410, "void sound_stop__Fv()") del_items(0x8003A4A8) SetType(0x8003A4A8, "void sound_update__Fv()") del_items(0x8003A4DC) SetType(0x8003A4DC, "void priv_sound_init__FUc(unsigned char bLoadMask)") del_items(0x8003A520) SetType(0x8003A520, "void sound_init__Fv()") del_items(0x8003A5C0) SetType(0x8003A5C0, "int GetDirection__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x8003A664) SetType(0x8003A664, "void SetRndSeed__Fl(long s)") del_items(0x8003A674) SetType(0x8003A674, "long GetRndSeed__Fv()") del_items(0x8003A6BC) SetType(0x8003A6BC, "long random__Fil(int idx, long v)") del_items(0x8003A728) SetType(0x8003A728, "unsigned char *DiabloAllocPtr__FUl(unsigned long dwBytes)") del_items(0x8003A774) SetType(0x8003A774, "void mem_free_dbg__FPv(void *p)") del_items(0x8003A7C4) SetType(0x8003A7C4, "unsigned char *LoadFileInMem__FPCcPUl(char *pszName, unsigned long *pdwFileLen)") del_items(0x8003A7CC) SetType(0x8003A7CC, "void PlayInGameMovie__FPCc(char *pszMovie)") del_items(0x8003A85C) SetType(0x8003A85C, "void Enter__9CCritSect(struct CCritSect *this)") del_items(0x8003A864) SetType(0x8003A864, "void InitDiabloMsg__Fc(char e)") del_items(0x8003A8F8) SetType(0x8003A8F8, "void ClrDiabloMsg__Fv()") del_items(0x8003A924) SetType(0x8003A924, "void DrawDiabloMsg__Fv()") del_items(0x8003AA30) SetType(0x8003AA30, "void interface_msg_pump__Fv()") del_items(0x8003AA38) SetType(0x8003AA38, "void ShowProgress__FUi(unsigned int uMsg)") del_items(0x8003AEF4) SetType(0x8003AEF4, "void InitAllItemsUseable__Fv()") del_items(0x8003AF2C) SetType(0x8003AF2C, "void InitItemGFX__Fv()") del_items(0x8003AF58) SetType(0x8003AF58, "unsigned char ItemPlace__Fii(int xp, int yp)") del_items(0x8003B020) SetType(0x8003B020, "void AddInitItems__Fv()") del_items(0x8003B238) SetType(0x8003B238, "void InitItems__Fv()") del_items(0x8003B3F8) SetType(0x8003B3F8, "void CalcPlrItemVals__FiUc(int p, unsigned char Loadgfx)") del_items(0x8003BE80) SetType(0x8003BE80, "void CalcPlrScrolls__Fi(int p)") del_items(0x8003C1D8) SetType(0x8003C1D8, "void CalcPlrStaff__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8003C274) SetType(0x8003C274, "void CalcSelfItems__Fi(int pnum)") del_items(0x8003C3CC) SetType(0x8003C3CC, "unsigned char ItemMinStats__FPC12PlayerStructPC10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)") del_items(0x8003C418) SetType(0x8003C418, "void CalcPlrItemMin__Fi(int pnum)") del_items(0x8003C4F0) SetType(0x8003C4F0, "void CalcPlrBookVals__Fi(int p)") del_items(0x8003C764) SetType(0x8003C764, "void CalcPlrInv__FiUc(int p, unsigned char Loadgfx)") del_items(0x8003C820) SetType(0x8003C820, "void SetPlrHandItem__FP10ItemStructi(struct ItemStruct *h, int idata)") del_items(0x8003C938) SetType(0x8003C938, "void GetPlrHandSeed__FP10ItemStruct(struct ItemStruct *h)") del_items(0x8003C964) SetType(0x8003C964, "void GetGoldSeed__FiP10ItemStruct(int pnum, struct ItemStruct *h)") del_items(0x8003CAD0) SetType(0x8003CAD0, "void SetPlrHandSeed__FP10ItemStructi(struct ItemStruct *h, int iseed)") del_items(0x8003CAD8) SetType(0x8003CAD8, "void SetPlrHandGoldCurs__FP10ItemStruct(struct ItemStruct *h)") del_items(0x8003CB08) SetType(0x8003CB08, "void CreatePlrItems__Fi(int p)") del_items(0x8003CF14) SetType(0x8003CF14, "unsigned char ItemSpaceOk__Fii(int i, int j)") del_items(0x8003D1EC) SetType(0x8003D1EC, "unsigned char GetItemSpace__Fiic(int x, int y, char inum)") del_items(0x8003D418) SetType(0x8003D418, "void GetSuperItemSpace__Fiic(int x, int y, char inum)") del_items(0x8003D580) SetType(0x8003D580, "void GetSuperItemLoc__FiiRiT2(int x, int y, int *xx, int *yy)") del_items(0x8003D648) SetType(0x8003D648, "void CalcItemValue__Fi(int i)") del_items(0x8003D700) SetType(0x8003D700, "void GetBookSpell__Fii(int i, int lvl)") del_items(0x8003D968) SetType(0x8003D968, "void GetStaffPower__FiiiUc(int i, int lvl, int bs, unsigned char onlygood)") del_items(0x8003DB58) SetType(0x8003DB58, "void GetStaffSpell__FiiUc(int i, int lvl, unsigned char onlygood)") del_items(0x8003DE0C) SetType(0x8003DE0C, "void GetItemAttrs__Fiii(int i, int idata, int lvl)") del_items(0x8003E358) SetType(0x8003E358, "int RndPL__Fii(int param1, int param2)") del_items(0x8003E390) SetType(0x8003E390, "int PLVal__Fiiiii(int pv, int p1, int p2, int minv, int maxv)") del_items(0x8003E404) SetType(0x8003E404, "void SaveItemPower__Fiiiiiii(int i, int power, int param1, int param2, int minval, int maxval, int multval)") del_items(0x8003F9F8) SetType(0x8003F9F8, "void GetItemPower__FiiilUc(int i, int minlvl, int maxlvl, long flgs, int onlygood)") del_items(0x8003FE60) SetType(0x8003FE60, "void GetItemBonus__FiiiiUc(int i, int idata, int minlvl, int maxlvl, int onlygood)") del_items(0x8003FF5C) SetType(0x8003FF5C, "void SetupItem__Fi(int i)") del_items(0x80040068) SetType(0x80040068, "int RndItem__Fi(int m)") del_items(0x800402AC) SetType(0x800402AC, "int RndUItem__Fi(int m)") del_items(0x800404EC) SetType(0x800404EC, "int RndAllItems__Fv()") del_items(0x80040660) SetType(0x80040660, "int RndTypeItems__Fii(int itype, int imid)") del_items(0x80040760) SetType(0x80040760, "int CheckUnique__FiiiUc(int i, int lvl, int uper, unsigned char recreate)") del_items(0x80040910) SetType(0x80040910, "void GetUniqueItem__Fii(int i, int uid)") del_items(0x80040BB8) SetType(0x80040BB8, "void SpawnUnique__Fiii(int uid, int x, int y)") del_items(0x80040CC4) SetType(0x80040CC4, "void ItemRndDur__Fi(int ii)") del_items(0x80040D54) SetType(0x80040D54, "void SetupAllItems__FiiiiiUcUcUc(int ii, int idx, int iseed, int lvl, int uper, int onlygood, int recreate, int pregen)") del_items(0x80041060) SetType(0x80041060, "void SpawnItem__FiiiUc(int m, int x, int y, unsigned char sendmsg)") del_items(0x800412A8) SetType(0x800412A8, "void CreateItem__Fiii(int uid, int x, int y)") del_items(0x800413D8) SetType(0x800413D8, "void CreateRndItem__FiiUcUcUc(int x, int y, unsigned char onlygood, unsigned char sendmsg, int delta)") del_items(0x80041520) SetType(0x80041520, "void SetupAllUseful__Fiii(int ii, int iseed, int lvl)") del_items(0x800415F8) SetType(0x800415F8, "void CreateRndUseful__FiiiUc(int pnum, int x, int y, unsigned char sendmsg)") del_items(0x800416B8) SetType(0x800416B8, "void CreateTypeItem__FiiUciiUcUc(int x, int y, unsigned char onlygood, int itype, int imisc, int sendmsg, int delta)") del_items(0x800417FC) SetType(0x800417FC, "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(0x800419E8) SetType(0x800419E8, "void SpawnQuestItem__Fiiiii(int itemid, int x, int y, int randarea, int selflag)") del_items(0x80041C14) SetType(0x80041C14, "void SpawnRock__Fv()") del_items(0x80041DD4) SetType(0x80041DD4, "void RespawnItem__FiUc(int i, unsigned char FlipFlag)") del_items(0x80041F98) SetType(0x80041F98, "void DeleteItem__Fii(int ii, int i)") del_items(0x80041FEC) SetType(0x80041FEC, "void ItemDoppel__Fv()") del_items(0x800420B4) SetType(0x800420B4, "void ProcessItems__Fv()") del_items(0x800421F8) SetType(0x800421F8, "void FreeItemGFX__Fv()") del_items(0x80042200) SetType(0x80042200, "void GetItemStr__Fi(int i)") del_items(0x80042390) SetType(0x80042390, "void CheckIdentify__Fii(int pnum, int cii)") del_items(0x80042470) SetType(0x80042470, "void RepairItem__FP10ItemStructi(struct ItemStruct *i, int lvl)") del_items(0x80042540) SetType(0x80042540, "void DoRepair__Fii(int pnum, int cii)") del_items(0x800425FC) SetType(0x800425FC, "void RechargeItem__FP10ItemStructi(struct ItemStruct *i, int r)") del_items(0x8004266C) SetType(0x8004266C, "void DoRecharge__Fii(int pnum, int cii)") del_items(0x80042764) SetType(0x80042764, "void PrintItemOil__Fc(char IDidx)") del_items(0x80042858) SetType(0x80042858, "void PrintItemPower__FcPC10ItemStruct(char plidx, struct ItemStruct *x)") del_items(0x80042F04) SetType(0x80042F04, "void PrintUString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)") del_items(0x80042F0C) SetType(0x80042F0C, "void PrintItemMisc__FPC10ItemStruct(struct ItemStruct *x)") del_items(0x80043198) SetType(0x80043198, "void PrintItemDetails__FPC10ItemStruct(struct ItemStruct *x)") del_items(0x80043504) SetType(0x80043504, "void PrintItemDur__FPC10ItemStruct(struct ItemStruct *x)") del_items(0x80043814) SetType(0x80043814, "void CastScroll__Fi(int pnum)") del_items(0x8004381C) SetType(0x8004381C, "void UseItem__Fiii(int p, int Mid, int spl)") del_items(0x80043E28) SetType(0x80043E28, "unsigned char StoreStatOk__FP10ItemStruct(struct ItemStruct *h)") del_items(0x80043EB4) SetType(0x80043EB4, "unsigned char PremiumItemOk__Fi(int i)") del_items(0x80043F30) SetType(0x80043F30, "int RndPremiumItem__Fii(int minlvl, int maxlvl)") del_items(0x80044038) SetType(0x80044038, "void SpawnOnePremium__Fii(int i, int plvl)") del_items(0x8004424C) SetType(0x8004424C, "void SpawnPremium__Fi(int lvl)") del_items(0x80044480) SetType(0x80044480, "void WitchBookLevel__Fi(int ii)") del_items(0x800445C8) SetType(0x800445C8, "void SpawnStoreGold__Fv()") del_items(0x80044648) SetType(0x80044648, "void RecalcStoreStats__Fv()") del_items(0x800447E8) SetType(0x800447E8, "int ItemNoFlippy__Fv()") del_items(0x8004484C) SetType(0x8004484C, "void CreateSpellBook__FiiiUcUc(int x, int y, int ispell, unsigned char sendmsg, int delta)") del_items(0x800449DC) SetType(0x800449DC, "void CreateMagicArmor__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)") del_items(0x80044B58) SetType(0x80044B58, "void CreateMagicWeapon__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)") del_items(0x80044CD4) SetType(0x80044CD4, "void DrawUniqueInfo__Fv()") del_items(0x80044E48) SetType(0x80044E48, "char *MakeItemStr__FP10ItemStructUsUs(struct ItemStruct *ItemPtr, unsigned short ItemNo, unsigned short MaxLen)") del_items(0x80045060) SetType(0x80045060, "int veclen2__Fii(int ix, int iy)") del_items(0x800450C8) SetType(0x800450C8, "void set_light_bands__Fv()") del_items(0x8004513C) SetType(0x8004513C, "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(0x800451A8) SetType(0x800451A8, "void DoLighting__Fiiii(int nXPos, int nYPos, int nRadius, int Lnum)") del_items(0x80045E58) SetType(0x80045E58, "void DoUnLight__Fv()") del_items(0x8004609C) SetType(0x8004609C, "void DoUnVision__Fiii(int nXPos, int nYPos, int nRadius)") del_items(0x80046160) SetType(0x80046160, "void DoVision__FiiiUcUc(int nXPos, int nYPos, int nRadius, unsigned char doautomap, int visible)") del_items(0x80046670) SetType(0x80046670, "void FreeLightTable__Fv()") del_items(0x80046678) SetType(0x80046678, "void InitLightTable__Fv()") del_items(0x80046680) SetType(0x80046680, "void MakeLightTable__Fv()") del_items(0x80046688) SetType(0x80046688, "void InitLightMax__Fv()") del_items(0x800466AC) SetType(0x800466AC, "void InitLighting__Fv()") del_items(0x800466F0) SetType(0x800466F0, "int AddLight__Fiii(int x, int y, int r)") del_items(0x80046784) SetType(0x80046784, "void AddUnLight__Fi(int i)") del_items(0x800467B4) SetType(0x800467B4, "void ChangeLightRadius__Fii(int i, int r)") del_items(0x800467E0) SetType(0x800467E0, "void ChangeLightXY__Fiii(int i, int x, int y)") del_items(0x80046818) SetType(0x80046818, "void light_fix__Fi(int i)") del_items(0x80046820) SetType(0x80046820, "void ChangeLightOff__Fiii(int i, int x, int y)") del_items(0x80046858) SetType(0x80046858, "void ChangeLight__Fiiii(int i, int x, int y, int r)") del_items(0x8004689C) SetType(0x8004689C, "void ChangeLightColour__Fii(int i, int c)") del_items(0x800468CC) SetType(0x800468CC, "void ProcessLightList__Fv()") del_items(0x800469F8) SetType(0x800469F8, "void SavePreLighting__Fv()") del_items(0x80046A00) SetType(0x80046A00, "void InitVision__Fv()") del_items(0x80046A50) SetType(0x80046A50, "int AddVision__FiiiUc(int x, int y, int r, unsigned char mine)") del_items(0x80046B54) SetType(0x80046B54, "void ChangeVisionRadius__Fii(int id, int r)") del_items(0x80046C08) SetType(0x80046C08, "void ChangeVisionXY__Fiii(int id, int x, int y)") del_items(0x80046CC0) SetType(0x80046CC0, "void ProcessVisionList__Fv()") del_items(0x80046F20) SetType(0x80046F20, "void FreeQuestText__Fv()") del_items(0x80046F28) SetType(0x80046F28, "void InitQuestText__Fv()") del_items(0x80046F34) SetType(0x80046F34, "void CalcTextSpeed__FPCc(char *Name)") del_items(0x80047074) SetType(0x80047074, "void InitQTextMsg__Fi(int m)") del_items(0x80047174) SetType(0x80047174, "void DrawQTextBack__Fv()") del_items(0x800471E4) SetType(0x800471E4, "void PrintCDWait__Fv()") del_items(0x80047270) SetType(0x80047270, "void DrawQTextTSK__FP4TASK(struct TASK *T)") del_items(0x800472FC) SetType(0x800472FC, "void DrawQText__Fv()") del_items(0x80047634) SetType(0x80047634, "void _GLOBAL__D_QBack()") del_items(0x8004765C) SetType(0x8004765C, "void _GLOBAL__I_QBack()") del_items(0x80047684) SetType(0x80047684, "void SetRGB__6DialogUcUcUc_addr_80047684(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x800476A4) SetType(0x800476A4, "void SetBorder__6Dialogi_addr_800476A4(struct Dialog *this, int Type)") del_items(0x800476AC) SetType(0x800476AC, "void ___6Dialog_addr_800476AC(struct Dialog *this, int __in_chrg)") del_items(0x800476D4) SetType(0x800476D4, "struct Dialog *__6Dialog_addr_800476D4(struct Dialog *this)") del_items(0x80047730) SetType(0x80047730, "int GetCharWidth__5CFontc_addr_80047730(struct CFont *this, char ch)") del_items(0x80047788) SetType(0x80047788, "struct FRAME_HDR *GetFr__7TextDati_addr_80047788(struct TextDat *this, int FrNum)") del_items(0x800477A4) SetType(0x800477A4, "void nullmissile__Fiiiiiicii(int mi, int sx, int sy, int dx, int dy, int midir, int mienemy, int id, int dam)") del_items(0x800477AC) SetType(0x800477AC, "void FuncNULL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800477B4) SetType(0x800477B4, "void delta_init__Fv()") del_items(0x80047814) SetType(0x80047814, "void delta_kill_monster__FiUcUcUc(int mi, unsigned char x, unsigned char y, unsigned char bLevel)") del_items(0x800478B0) SetType(0x800478B0, "void delta_monster_hp__FilUc(int mi, long hp, unsigned char bLevel)") del_items(0x80047934) SetType(0x80047934, "void delta_sync_golem__FPC9TCmdGolemiUc(struct TCmdGolem *pG, int pnum, unsigned char bLevel)") del_items(0x800479C4) SetType(0x800479C4, "void delta_leave_sync__FUc(unsigned char bLevel)") del_items(0x80047CF0) SetType(0x80047CF0, "void delta_sync_object__FiUcUc(int oi, unsigned char bCmd, unsigned char bLevel)") del_items(0x80047D50) SetType(0x80047D50, "unsigned char delta_get_item__FPC9TCmdGItemUc(struct TCmdGItem *pI, unsigned char bLevel)") del_items(0x80047F14) SetType(0x80047F14, "void delta_put_item__FPC9TCmdPItemiiUc(struct TCmdPItem *pI, int x, int y, unsigned char bLevel)") del_items(0x8004809C) SetType(0x8004809C, "unsigned char delta_portal_inited__Fi(int i)") del_items(0x800480C0) SetType(0x800480C0, "unsigned char delta_quest_inited__Fi(int i)") del_items(0x800480E4) SetType(0x800480E4, "void DeltaAddItem__Fi(int ii)") del_items(0x800482F8) SetType(0x800482F8, "int DeltaExportData__FPc(char *Dst)") del_items(0x80048328) SetType(0x80048328, "int DeltaImportData__FPc(char *Src)") del_items(0x8004835C) SetType(0x8004835C, "void DeltaSaveLevel__Fv()") del_items(0x80048448) SetType(0x80048448, "void NetSendCmd__FUcUc(unsigned char bHiPri, unsigned char bCmd)") del_items(0x80048470) SetType(0x80048470, "void NetSendCmdGolem__FUcUcUcUclUc(unsigned char mx, unsigned char my, unsigned char dir, unsigned char menemy, long hp, int cl)") del_items(0x800484BC) SetType(0x800484BC, "void NetSendCmdLoc__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)") del_items(0x800484EC) SetType(0x800484EC, "void NetSendCmdLocParam1__FUcUcUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1)") del_items(0x80048524) SetType(0x80048524, "void NetSendCmdLocParam2__FUcUcUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2)") del_items(0x80048564) SetType(0x80048564, "void NetSendCmdLocParam3__FUcUcUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2, int wParam3)") del_items(0x800485AC) SetType(0x800485AC, "void NetSendCmdParam1__FUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1)") del_items(0x800485D8) SetType(0x800485D8, "void NetSendCmdParam2__FUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2)") del_items(0x80048608) SetType(0x80048608, "void NetSendCmdParam3__FUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2, int wParam3)") del_items(0x80048640) SetType(0x80048640, "void NetSendCmdQuest__FUcUc(unsigned char bHiPri, unsigned char q)") del_items(0x800486B4) SetType(0x800486B4, "void NetSendCmdGItem__FUcUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char mast, unsigned char pnum, int ii)") del_items(0x800487E8) SetType(0x800487E8, "void NetSendCmdGItem2__FUcUcUcUcPC9TCmdGItem(unsigned char usonly, unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)") del_items(0x80048864) SetType(0x80048864, "unsigned char NetSendCmdReq2__FUcUcUcPC9TCmdGItem(unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)") del_items(0x800488BC) SetType(0x800488BC, "void NetSendCmdExtra__FPC9TCmdGItem(struct TCmdGItem *p)") del_items(0x80048924) SetType(0x80048924, "void NetSendCmdPItem__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)") del_items(0x80048A24) SetType(0x80048A24, "void NetSendCmdChItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)") del_items(0x80048AC0) SetType(0x80048AC0, "void NetSendCmdDelItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)") del_items(0x80048AF0) SetType(0x80048AF0, "void NetSendCmdDItem__FUci(unsigned char bHiPri, int ii)") del_items(0x80048C04) SetType(0x80048C04, "unsigned char i_own_level__Fi(int nReqLevel)") del_items(0x80048C0C) SetType(0x80048C0C, "void NetSendCmdDamage__FUcUcUl(unsigned char bHiPri, unsigned char bPlr, unsigned long dwDam)") del_items(0x80048C40) SetType(0x80048C40, "void delta_open_portal__FiUcUcUcUcUc(int pnum, unsigned char x, unsigned char y, unsigned char bLevel, int bLType, int bSetLvl)") del_items(0x80048C9C) SetType(0x80048C9C, "void delta_close_portal__Fi(int pnum)") del_items(0x80048CDC) SetType(0x80048CDC, "void check_update_plr__Fi(int pnum)") del_items(0x80048CE4) SetType(0x80048CE4, "void On_WALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048D80) SetType(0x80048D80, "void On_ADDSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048DB0) SetType(0x80048DB0, "void On_ADDMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048DE0) SetType(0x80048DE0, "void On_ADDDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048E10) SetType(0x80048E10, "void On_ADDVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048E40) SetType(0x80048E40, "void On_SBSPELL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048EAC) SetType(0x80048EAC, "void On_GOTOGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80048F48) SetType(0x80048F48, "void On_REQUESTGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049080) SetType(0x80049080, "void On_GETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049248) SetType(0x80049248, "void On_GOTOAGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x800492E4) SetType(0x800492E4, "void On_REQUESTAGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049410) SetType(0x80049410, "void On_AGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x800495D0) SetType(0x800495D0, "void On_ITEMEXTRA__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049664) SetType(0x80049664, "void On_PUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x800497FC) SetType(0x800497FC, "void On_SYNCPUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049930) SetType(0x80049930, "void On_RESPAWNITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049A38) SetType(0x80049A38, "void On_SATTACKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049ADC) SetType(0x80049ADC, "void On_SPELLXYD__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049BDC) SetType(0x80049BDC, "void On_SPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049CCC) SetType(0x80049CCC, "void On_TSPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049DC0) SetType(0x80049DC0, "void On_OPOBJXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049EDC) SetType(0x80049EDC, "void On_DISARMXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x80049FF8) SetType(0x80049FF8, "void On_OPOBJT__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A058) SetType(0x8004A058, "void On_ATTACKID__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A19C) SetType(0x8004A19C, "void On_SPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A27C) SetType(0x8004A27C, "void On_SPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A354) SetType(0x8004A354, "void On_TSPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A430) SetType(0x8004A430, "void On_TSPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A50C) SetType(0x8004A50C, "void On_KNOCKBACK__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A594) SetType(0x8004A594, "void On_RESURRECT__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A5CC) SetType(0x8004A5CC, "void On_HEALOTHER__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A634) SetType(0x8004A634, "void On_TALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A6D0) SetType(0x8004A6D0, "void On_NEWLVL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A708) SetType(0x8004A708, "void On_WARP__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A7DC) SetType(0x8004A7DC, "void On_MONSTDEATH__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A840) SetType(0x8004A840, "void On_KILLGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004A8A4) SetType(0x8004A8A4, "void On_AWAKEGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AA08) SetType(0x8004AA08, "void On_MONSTDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AB04) SetType(0x8004AB04, "void On_PLRDEAD__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AB4C) SetType(0x8004AB4C, "void On_PLRDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004ACF0) SetType(0x8004ACF0, "void On_OPENDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AD80) SetType(0x8004AD80, "void On_CLOSEDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AE10) SetType(0x8004AE10, "void On_OPERATEOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AEA0) SetType(0x8004AEA0, "void On_PLROPOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AF2C) SetType(0x8004AF2C, "void On_BREAKOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AFB8) SetType(0x8004AFB8, "void On_CHANGEPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AFC0) SetType(0x8004AFC0, "void On_DELPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AFC8) SetType(0x8004AFC8, "void On_PLRLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004AFD0) SetType(0x8004AFD0, "void On_DROPITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B020) SetType(0x8004B020, "void On_PLAYER_JOINLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B29C) SetType(0x8004B29C, "void On_ACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B424) SetType(0x8004B424, "void On_DEACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B474) SetType(0x8004B474, "void On_RETOWN__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B4BC) SetType(0x8004B4BC, "void On_SETSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B4FC) SetType(0x8004B4FC, "void On_SETDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B53C) SetType(0x8004B53C, "void On_SETMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B57C) SetType(0x8004B57C, "void On_SETVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B5BC) SetType(0x8004B5BC, "void On_SYNCQUEST__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B604) SetType(0x8004B604, "void On_ENDSHIELD__FPC4TCmdi(struct TCmd *pCmd, int pnum)") del_items(0x8004B718) SetType(0x8004B718, "unsigned long ParseCmd__FiPC4TCmd(int pnum, struct TCmd *pCmd)") del_items(0x8004BB38) SetType(0x8004BB38, "struct DLevel *GetDLevel__Fib(int LevNum, bool SetLevel)") del_items(0x8004BBC8) SetType(0x8004BBC8, "void ReleaseDLevel__FP6DLevel(struct DLevel *Dl)") del_items(0x8004BC00) SetType(0x8004BC00, "void NetSendLoPri__FPCUcUc(unsigned char *pbMsg, unsigned char bLen)") del_items(0x8004BC2C) SetType(0x8004BC2C, "int InitLevelType__Fi(int l)") del_items(0x8004BC78) SetType(0x8004BC78, "void SetupLocalCoords__Fv()") del_items(0x8004BDEC) SetType(0x8004BDEC, "void InitNewSeed__Fl(long newseed)") del_items(0x8004BE60) SetType(0x8004BE60, "unsigned char NetInit__FUcPUc(unsigned char bSinglePlayer, unsigned char *pfExitProgram)") del_items(0x8004C080) SetType(0x8004C080, "void PostAddL1Door__Fiiii(int i, int x, int y, int ot)") del_items(0x8004C1B8) SetType(0x8004C1B8, "void PostAddL2Door__Fiiii(int i, int x, int y, int ot)") del_items(0x8004C304) SetType(0x8004C304, "void PostAddArmorStand__Fi(int i)") del_items(0x8004C38C) SetType(0x8004C38C, "unsigned char PostTorchLocOK__Fii(int xp, int yp)") del_items(0x8004C3CC) SetType(0x8004C3CC, "void PostAddObjLight__Fii(int i, int r)") del_items(0x8004C470) SetType(0x8004C470, "void PostObjObjAddSwitch__Fiiii(int ot, int ox, int oy, int oi)") del_items(0x8004C524) SetType(0x8004C524, "void InitObjectGFX__Fv()") del_items(0x8004C740) SetType(0x8004C740, "void FreeObjectGFX__Fv()") del_items(0x8004C74C) SetType(0x8004C74C, "void DeleteObject__Fii(int oi, int i)") del_items(0x8004C804) SetType(0x8004C804, "void SetupObject__Fiiii(int i, int x, int y, int ot)") del_items(0x8004CA88) SetType(0x8004CA88, "void SetObjMapRange__Fiiiiii(int i, int x1, int y1, int x2, int y2, int v)") del_items(0x8004CAE8) SetType(0x8004CAE8, "void SetBookMsg__Fii(int i, int msg)") del_items(0x8004CB10) SetType(0x8004CB10, "void AddObject__Fiii(int ot, int ox, int oy)") del_items(0x8004CC1C) SetType(0x8004CC1C, "void PostAddObject__Fiii(int ot, int ox, int oy)") del_items(0x8004CD28) SetType(0x8004CD28, "void Obj_Light__Fii(int i, int lr)") del_items(0x8004CF38) SetType(0x8004CF38, "void Obj_Circle__Fi(int i)") del_items(0x8004D24C) SetType(0x8004D24C, "void Obj_StopAnim__Fi(int i)") del_items(0x8004D2B0) SetType(0x8004D2B0, "void DrawExpl__Fiiiiiccc(int sx, int sy, int f, int ot, int scale, int rtint, int gtint, int btint)") del_items(0x8004D58C) SetType(0x8004D58C, "void DrawObjExpl__FP12ObjectStructiii(struct ObjectStruct *obj, int ScrX, int ScrY, int ot)") del_items(0x8004D5FC) SetType(0x8004D5FC, "void Obj_Door__Fi(int i)") del_items(0x8004D790) SetType(0x8004D790, "void Obj_Sarc__Fi(int i)") del_items(0x8004D7DC) SetType(0x8004D7DC, "void ActivateTrapLine__Fii(int ttype, int tid)") del_items(0x8004D8EC) SetType(0x8004D8EC, "void Obj_FlameTrap__Fi(int i)") del_items(0x8004DBBC) SetType(0x8004DBBC, "void Obj_Trap__Fi(int i)") del_items(0x8004DF0C) SetType(0x8004DF0C, "void Obj_BCrossDamage__Fi(int i)") del_items(0x8004E18C) SetType(0x8004E18C, "void ProcessObjects__Fv()") del_items(0x8004E42C) SetType(0x8004E42C, "void ObjSetMicro__Fiii(int dx, int dy, int pn)") del_items(0x8004E464) SetType(0x8004E464, "void ObjSetMini__Fiii(int x, int y, int v)") del_items(0x8004E538) SetType(0x8004E538, "void ObjL1Special__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x8004E540) SetType(0x8004E540, "void ObjL2Special__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x8004E548) SetType(0x8004E548, "void DoorSet__Fiii(int oi, int dx, int dy)") del_items(0x8004E7C8) SetType(0x8004E7C8, "void RedoPlayerVision__Fv()") del_items(0x8004E86C) SetType(0x8004E86C, "void OperateL1RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004EC10) SetType(0x8004EC10, "void OperateL1LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004EFE8) SetType(0x8004EFE8, "void OperateL2RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004F380) SetType(0x8004F380, "void OperateL2LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004F718) SetType(0x8004F718, "void OperateL3RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004FA20) SetType(0x8004FA20, "void OperateL3LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)") del_items(0x8004FD28) SetType(0x8004FD28, "void MonstCheckDoors__Fi(int m)") del_items(0x80050224) SetType(0x80050224, "void PostAddL1Objs__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x8005035C) SetType(0x8005035C, "void PostAddL2Objs__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x80050470) SetType(0x80050470, "void ObjChangeMap__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x80050628) SetType(0x80050628, "void DRLG_MRectTrans__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x800506D4) SetType(0x800506D4, "void ObjChangeMapResync__Fiiii(int x1, int y1, int x2, int y2)") del_items(0x80050844) SetType(0x80050844, "void OperateL1Door__FiiUc(int pnum, int i, unsigned char sendflag)") del_items(0x80050998) SetType(0x80050998, "void OperateLever__Fii(int pnum, int i)") del_items(0x80050B84) SetType(0x80050B84, "void OperateBook__Fii(int pnum, int i)") del_items(0x80051058) SetType(0x80051058, "void OperateBookLever__Fii(int pnum, int i)") del_items(0x80051400) SetType(0x80051400, "void OperateSChambBk__Fii(int pnum, int i)") del_items(0x800515D0) SetType(0x800515D0, "void OperateChest__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x80051990) SetType(0x80051990, "void OperateMushPatch__Fii(int pnum, int i)") del_items(0x80051B4C) SetType(0x80051B4C, "void OperateInnSignChest__Fii(int pnum, int i)") del_items(0x80051CDC) SetType(0x80051CDC, "void OperateSlainHero__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x80051F10) SetType(0x80051F10, "void OperateTrapLvr__Fi(int i)") del_items(0x800520E0) SetType(0x800520E0, "void OperateSarc__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x80052298) SetType(0x80052298, "void OperateL2Door__FiiUc(int pnum, int i, unsigned char sendflag)") del_items(0x800523EC) SetType(0x800523EC, "void OperateL3Door__FiiUc(int pnum, int i, unsigned char sendflag)") del_items(0x80052540) SetType(0x80052540, "void LoadMapObjs__FPUcii(unsigned char *pMap, int startx, int starty)") del_items(0x80052648) SetType(0x80052648, "void OperatePedistal__Fii(int pnum, int i)") del_items(0x80052900) SetType(0x80052900, "void TryDisarm__Fii(int pnum, int i)") del_items(0x80052ABC) SetType(0x80052ABC, "int ItemMiscIdIdx__Fi(int imiscid)") del_items(0x80052B2C) SetType(0x80052B2C, "void OperateShrine__Fiii(int pnum, int i, int sType)") del_items(0x80054F88) SetType(0x80054F88, "void OperateSkelBook__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x80055104) SetType(0x80055104, "void OperateBookCase__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x800552D4) SetType(0x800552D4, "void OperateDecap__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x800553BC) SetType(0x800553BC, "void OperateArmorStand__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x8005552C) SetType(0x8005552C, "int FindValidShrine__Fi(int i)") del_items(0x8005561C) SetType(0x8005561C, "void OperateGoatShrine__Fiii(int pnum, int i, int sType)") del_items(0x800556C4) SetType(0x800556C4, "void OperateCauldron__Fiii(int pnum, int i, int sType)") del_items(0x80055778) SetType(0x80055778, "unsigned char OperateFountains__Fii(int pnum, int i)") del_items(0x80055D0C) SetType(0x80055D0C, "void OperateWeaponRack__FiiUc(int pnum, int i, unsigned char sendmsg)") del_items(0x80055EB8) SetType(0x80055EB8, "void OperateStoryBook__Fii(int pnum, int i)") del_items(0x80055FA8) SetType(0x80055FA8, "void OperateLazStand__Fii(int pnum, int i)") del_items(0x80056088) SetType(0x80056088, "void OperateObject__FiiUc(int pnum, int i, unsigned char TeleFlag)") del_items(0x800564C0) SetType(0x800564C0, "void SyncOpL1Door__Fiii(int pnum, int cmd, int i)") del_items(0x800565D4) SetType(0x800565D4, "void SyncOpL2Door__Fiii(int pnum, int cmd, int i)") del_items(0x800566E8) SetType(0x800566E8, "void SyncOpL3Door__Fiii(int pnum, int cmd, int i)") del_items(0x800567FC) SetType(0x800567FC, "void SyncOpObject__Fiii(int pnum, int cmd, int i)") del_items(0x800569DC) SetType(0x800569DC, "void BreakCrux__Fi(int i)") del_items(0x80056BCC) SetType(0x80056BCC, "void BreakBarrel__FiiiUcUc(int pnum, int i, int dam, unsigned char forcebreak, int sendmsg)") del_items(0x80057120) SetType(0x80057120, "void BreakObject__Fii(int pnum, int oi)") del_items(0x80057278) SetType(0x80057278, "void SyncBreakObj__Fii(int pnum, int oi)") del_items(0x800572D4) SetType(0x800572D4, "void SyncL1Doors__Fi(int i)") del_items(0x800573EC) SetType(0x800573EC, "void SyncCrux__Fi(int i)") del_items(0x80057524) SetType(0x80057524, "void SyncLever__Fi(int i)") del_items(0x800575A0) SetType(0x800575A0, "void SyncQSTLever__Fi(int i)") del_items(0x80057698) SetType(0x80057698, "void SyncPedistal__Fi(int i)") del_items(0x800577F4) SetType(0x800577F4, "void SyncL2Doors__Fi(int i)") del_items(0x8005795C) SetType(0x8005795C, "void SyncL3Doors__Fi(int i)") del_items(0x80057A88) SetType(0x80057A88, "void SyncObjectAnim__Fi(int o)") del_items(0x80057BC8) SetType(0x80057BC8, "void GetObjectStr__Fi(int i)") del_items(0x80057FDC) SetType(0x80057FDC, "void RestoreObjectLight__Fv()") del_items(0x80058218) SetType(0x80058218, "int GetNumOfFrames__7TextDatii_addr_80058218(struct TextDat *this, int Creature, int Action)") del_items(0x80058250) SetType(0x80058250, "struct CCreatureHdr *GetCreature__7TextDati_addr_80058250(struct TextDat *this, int Creature)") del_items(0x800582C8) SetType(0x800582C8, "int GetNumOfCreatures__7TextDat_addr_800582C8(struct TextDat *this)") del_items(0x800582DC) SetType(0x800582DC, "int FindPath__FPFiii_UciiiiiPc(unsigned char (*PosOk)(), int PosOkArg, int sx, int sy, int dx, int dy, char *path)") del_items(0x800582E4) SetType(0x800582E4, "unsigned char game_2_ui_class__FPC12PlayerStruct(struct PlayerStruct *p)") del_items(0x80058310) SetType(0x80058310, "void game_2_ui_player__FPC12PlayerStructP11_uiheroinfoUc(struct PlayerStruct *p, struct _uiheroinfo *heroinfo, unsigned char bHasSaveFile)") del_items(0x800583C4) SetType(0x800583C4, "void SetupLocalPlayer__Fv()") del_items(0x800583E4) SetType(0x800583E4, "bool ismyplr__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80058420) SetType(0x80058420, "int plrind__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80058434) SetType(0x80058434, "void InitPlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80058454) SetType(0x80058454, "void FreePlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005845C) SetType(0x8005845C, "void NewPlrAnim__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int Peq, int numFrames, int Delay)") del_items(0x80058478) SetType(0x80058478, "void ClearPlrPVars__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005849C) SetType(0x8005849C, "void SetPlrAnims__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x800586D8) SetType(0x800586D8, "void CreatePlayer__FP12PlayerStructc(struct PlayerStruct *ptrplr, char c)") del_items(0x80058AF4) SetType(0x80058AF4, "int CalcStatDiff__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80058B5C) SetType(0x80058B5C, "void NextPlrLevel__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80058CCC) SetType(0x80058CCC, "void AddPlrExperience__FP12PlayerStructil(struct PlayerStruct *ptrplr, int lvl, long exp)") del_items(0x80058ED8) SetType(0x80058ED8, "void AddPlrMonstExper__Filc(int lvl, long exp, char pmask)") del_items(0x80058F5C) SetType(0x80058F5C, "void InitPlayer__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char FirstTime)") del_items(0x80059328) SetType(0x80059328, "void InitMultiView__Fv()") del_items(0x8005937C) SetType(0x8005937C, "bool CheckLeighSolid__Fii(int x, int y)") del_items(0x80059414) SetType(0x80059414, "unsigned char SolidLoc__Fii(int x, int y)") del_items(0x8005949C) SetType(0x8005949C, "void PlrClrTrans__Fii(int x, int y)") del_items(0x80059530) SetType(0x80059530, "void PlrDoTrans__Fii(int x, int y)") del_items(0x80059624) SetType(0x80059624, "void SetPlayerOld__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80059638) SetType(0x80059638, "void StartStand__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)") del_items(0x800596C4) SetType(0x800596C4, "void StartWalkStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80059728) SetType(0x80059728, "void PM_ChangeLightOff__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80059764) SetType(0x80059764, "void PM_ChangeOffset__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80059790) SetType(0x80059790, "void StartAttack__FP12PlayerStructi(struct PlayerStruct *ptrplr, int d)") del_items(0x800598C8) SetType(0x800598C8, "void StartPlrBlock__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)") del_items(0x80059960) SetType(0x80059960, "void StartSpell__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int d, int cx, int cy)") del_items(0x80059AFC) SetType(0x80059AFC, "void RemovePlrFromMap__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x80059C1C) SetType(0x80059C1C, "void StartPlrHit__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int dam, unsigned char forcehit)") del_items(0x80059D3C) SetType(0x80059D3C, "void RespawnDeadItem__FP10ItemStructii(struct ItemStruct *itm, int x, int y)") del_items(0x80059ED4) SetType(0x80059ED4, "void PlrDeadItem__FP12PlayerStructP10ItemStructii(struct PlayerStruct *ptrplr, struct ItemStruct *itm, int xx, int yy)") del_items(0x8005A098) SetType(0x8005A098, "void StartPlayerKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)") del_items(0x8005A41C) SetType(0x8005A41C, "void DropHalfPlayersGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005A864) SetType(0x8005A864, "void StartPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)") del_items(0x8005A9A8) SetType(0x8005A9A8, "void SyncPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)") del_items(0x8005A9C8) SetType(0x8005A9C8, "void RemovePlrMissiles__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005ACB0) SetType(0x8005ACB0, "void InitLevelChange__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005AD6C) SetType(0x8005AD6C, "void StartNewLvl__FP12PlayerStructii(struct PlayerStruct *ptrplr, int fom, int lvl)") del_items(0x8005AEA8) SetType(0x8005AEA8, "void RestartTownLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005AF38) SetType(0x8005AF38, "void StartWarpLvl__FP12PlayerStructi(struct PlayerStruct *ptrplr, int pidx)") del_items(0x8005AFF4) SetType(0x8005AFF4, "int PM_DoStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005AFFC) SetType(0x8005AFFC, "unsigned char ChkPlrOffsets__Fiiii(int wx1, int wy1, int wx2, int wy2)") del_items(0x8005B084) SetType(0x8005B084, "int PM_DoWalk__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005B3F0) SetType(0x8005B3F0, "unsigned char WeaponDur__FP12PlayerStructi(struct PlayerStruct *ptrplr, int durrnd)") del_items(0x8005B590) SetType(0x8005B590, "unsigned char PlrHitMonst__FP12PlayerStructi(struct PlayerStruct *ptrplr, int m)") del_items(0x8005BBC0) SetType(0x8005BBC0, "unsigned char PlrHitPlr__FP12PlayerStructc(struct PlayerStruct *ptrplr, char p)") del_items(0x8005BF60) SetType(0x8005BF60, "unsigned char PlrHitObj__FP12PlayerStructii(struct PlayerStruct *ptrplr, int mx, int my)") del_items(0x8005BFF0) SetType(0x8005BFF0, "int PM_DoAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005C37C) SetType(0x8005C37C, "int PM_DoRangeAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005C47C) SetType(0x8005C47C, "void ShieldDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005C53C) SetType(0x8005C53C, "int PM_DoBlock__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005C5DC) SetType(0x8005C5DC, "void do_spell_anim__FiiiP12PlayerStruct(int aframe, int spell, int clss, struct PlayerStruct *ptrplr)") del_items(0x8005D5A0) SetType(0x8005D5A0, "int PM_DoSpell__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005D910) SetType(0x8005D910, "void ArmorDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005DA0C) SetType(0x8005DA0C, "int PM_DoGotHit__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005DA88) SetType(0x8005DA88, "int PM_DoDeath__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005DBC8) SetType(0x8005DBC8, "int PM_DoNewLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005DBD0) SetType(0x8005DBD0, "void CheckNewPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005DFE0) SetType(0x8005DFE0, "unsigned char PlrDeathModeOK__Fi(int p)") del_items(0x8005E040) SetType(0x8005E040, "void ValidatePlayer__Fv()") del_items(0x8005E4BC) SetType(0x8005E4BC, "void CheckCheatStats__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005E558) SetType(0x8005E558, "void ProcessPlayers__Fv()") del_items(0x8005E884) SetType(0x8005E884, "void ClrPlrPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005E8AC) SetType(0x8005E8AC, "unsigned char PosOkPlayer__FP12PlayerStructii(struct PlayerStruct *ptrplr, int px, int py)") del_items(0x8005EA4C) SetType(0x8005EA4C, "void MakePlrPath__FP12PlayerStructiiUc(struct PlayerStruct *ptrplr, int xx, int yy, unsigned char endspace)") del_items(0x8005EA54) SetType(0x8005EA54, "void CheckPlrSpell__Fv()") del_items(0x8005EE5C) SetType(0x8005EE5C, "void SyncInitPlrPos__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005EF98) SetType(0x8005EF98, "void SyncInitPlr__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005EFC8) SetType(0x8005EFC8, "void CheckStats__Fi(int p)") del_items(0x8005F15C) SetType(0x8005F15C, "void ModifyPlrStr__Fii(int p, int l)") del_items(0x8005F270) SetType(0x8005F270, "void ModifyPlrMag__Fii(int p, int l)") del_items(0x8005F354) SetType(0x8005F354, "void ModifyPlrDex__Fii(int p, int l)") del_items(0x8005F430) SetType(0x8005F430, "void ModifyPlrVit__Fii(int p, int l)") del_items(0x8005F504) SetType(0x8005F504, "void SetPlayerHitPoints__FP12PlayerStructi(struct PlayerStruct *ptrplr, int newhp)") del_items(0x8005F548) SetType(0x8005F548, "void SetPlrStr__Fii(int p, int v)") del_items(0x8005F61C) SetType(0x8005F61C, "void SetPlrMag__Fii(int p, int v)") del_items(0x8005F684) SetType(0x8005F684, "void SetPlrDex__Fii(int p, int v)") del_items(0x8005F758) SetType(0x8005F758, "void SetPlrVit__Fii(int p, int v)") del_items(0x8005F7BC) SetType(0x8005F7BC, "void InitDungMsgs__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005F7C4) SetType(0x8005F7C4, "void PlayDungMsgs__Fv()") del_items(0x8005FAEC) SetType(0x8005FAEC, "void CreatePlrItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FB14) SetType(0x8005FB14, "void WorldToOffset__FP12PlayerStructii(struct PlayerStruct *ptrplr, int x, int y)") del_items(0x8005FB58) SetType(0x8005FB58, "void SetSpdbarGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)") del_items(0x8005FB8C) SetType(0x8005FB8C, "int GetSpellLevel__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)") del_items(0x8005FBC0) SetType(0x8005FBC0, "void BreakObject__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)") del_items(0x8005FBF4) SetType(0x8005FBF4, "void CalcPlrInv__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char bl)") del_items(0x8005FC28) SetType(0x8005FC28, "void RemoveSpdBarItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)") del_items(0x8005FC5C) SetType(0x8005FC5C, "void M_StartKill__FiP12PlayerStruct(int m, struct PlayerStruct *ptrplr)") del_items(0x8005FC94) SetType(0x8005FC94, "void SetGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)") del_items(0x8005FCC8) SetType(0x8005FCC8, "void HealStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FCF0) SetType(0x8005FCF0, "void HealotherStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FD18) SetType(0x8005FD18, "int CalculateGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FD40) SetType(0x8005FD40, "void M_StartHit__FiP12PlayerStructi(int m, struct PlayerStruct *ptrplr, int dam)") del_items(0x8005FD88) SetType(0x8005FD88, "void TeleStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FDB0) SetType(0x8005FDB0, "void PhaseStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FDD8) SetType(0x8005FDD8, "void RemoveInvItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)") del_items(0x8005FE0C) SetType(0x8005FE0C, "void InvisStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FE34) SetType(0x8005FE34, "void PhaseEnd__FP12PlayerStruct(struct PlayerStruct *ptrplr)") del_items(0x8005FE5C) SetType(0x8005FE5C, "void OperateObject__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int oi, unsigned char bl)") del_items(0x8005FEA0) SetType(0x8005FEA0, "void TryDisarm__FP12PlayerStructi(struct PlayerStruct *ptrplr, int oi)") del_items(0x8005FED4) SetType(0x8005FED4, "void TalkToTowner__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)") del_items(0x8005FF08) SetType(0x8005FF08, "unsigned char PosOkPlayer__Fiii(int pnum, int x, int y)") del_items(0x8005FF4C) SetType(0x8005FF4C, "int CalcStatDiff__Fi(int pnum)") del_items(0x8005FF90) SetType(0x8005FF90, "void StartNewLvl__Fiii(int pnum, int fom, int lvl)") del_items(0x8005FFD4) SetType(0x8005FFD4, "void CreatePlayer__Fic(int pnum, char c)") del_items(0x80060020) SetType(0x80060020, "void StartStand__Fii(int pnum, int dir)") del_items(0x80060064) SetType(0x80060064, "void SetPlayerHitPoints__Fii(int pnum, int val)") del_items(0x800600A8) SetType(0x800600A8, "void MakePlrPath__FiiiUc(int pnum, int xx, int yy, unsigned char endspace)") del_items(0x800600F0) SetType(0x800600F0, "void StartWarpLvl__Fii(int pnum, int pidx)") del_items(0x80060134) SetType(0x80060134, "void SyncPlrKill__Fii(int pnum, int earflag)") del_items(0x80060178) SetType(0x80060178, "void StartPlrKill__Fii(int pnum, int val)") del_items(0x800601BC) SetType(0x800601BC, "void NewPlrAnim__Fiiii(int pnum, int Peq, int numFrames, int Delay)") del_items(0x80060200) SetType(0x80060200, "void AddPlrExperience__Fiil(int pnum, int lvl, long exp)") del_items(0x80060244) SetType(0x80060244, "void StartPlrBlock__Fii(int pnum, int dir)") del_items(0x80060288) SetType(0x80060288, "void StartPlrHit__FiiUc(int pnum, int dam, unsigned char forcehit)") del_items(0x800602D0) SetType(0x800602D0, "void StartSpell__Fiiii(int pnum, int d, int cx, int cy)") del_items(0x80060314) SetType(0x80060314, "void InitPlayer__FiUc(int pnum, unsigned char FirstTime)") del_items(0x8006035C) SetType(0x8006035C, "void PM_ChangeLightOff__Fi(int pnum)") del_items(0x800603A0) SetType(0x800603A0, "void CheckNewPath__Fi(int pnum)") del_items(0x800603E4) SetType(0x800603E4, "void FreePlayerGFX__Fi(int pnum)") del_items(0x80060428) SetType(0x80060428, "void InitDungMsgs__Fi(int pnum)") del_items(0x8006046C) SetType(0x8006046C, "void InitPlayerGFX__Fi(int pnum)") del_items(0x800604B0) SetType(0x800604B0, "void SyncInitPlrPos__Fi(int pnum)") del_items(0x800604F4) SetType(0x800604F4, "void SetPlrAnims__Fi(int pnum)") del_items(0x80060538) SetType(0x80060538, "void ClrPlrPath__Fi(int pnum)") del_items(0x8006057C) SetType(0x8006057C, "void SyncInitPlr__Fi(int pnum)") del_items(0x800605C0) SetType(0x800605C0, "void RestartTownLvl__Fi(int pnum)") del_items(0x80060604) SetType(0x80060604, "void SetPlayerOld__Fi(int pnum)") del_items(0x80060648) SetType(0x80060648, "void GetGoldSeed__FP12PlayerStructP10ItemStruct(struct PlayerStruct *ptrplr, struct ItemStruct *h)") del_items(0x8006067C) SetType(0x8006067C, "void PRIM_GetPrim__FPP8POLY_FT4_addr_8006067C(struct POLY_FT4 **Prim)") del_items(0x800606F8) SetType(0x800606F8, "struct CPlayer *GetPlayer__7CPlayeri(int PNum)") del_items(0x80060748) SetType(0x80060748, "int GetLastOtPos__C7CPlayer(struct CPlayer *this)") del_items(0x80060754) SetType(0x80060754, "int GetLastScrY__C7CPlayer(struct CPlayer *this)") del_items(0x80060760) SetType(0x80060760, "int GetLastScrX__C7CPlayer(struct CPlayer *this)") del_items(0x8006076C) SetType(0x8006076C, "void TSK_Lava2Water__FP4TASK(struct TASK *T)") del_items(0x800609BC) SetType(0x800609BC, "void CheckQuests__Fv()") del_items(0x80060E60) SetType(0x80060E60, "unsigned char ForceQuests__Fv()") del_items(0x80061004) SetType(0x80061004, "unsigned char QuestStatus__Fi(int i)") del_items(0x80061098) SetType(0x80061098, "void CheckQuestKill__FiUc(int m, unsigned char sendmsg)") del_items(0x80061640) SetType(0x80061640, "void SetReturnLvlPos__Fv()") del_items(0x80061750) SetType(0x80061750, "void GetReturnLvlPos__Fv()") del_items(0x800617A4) SetType(0x800617A4, "void ResyncMPQuests__Fv()") del_items(0x800618E0) SetType(0x800618E0, "void ResyncQuests__Fv()") del_items(0x80061E40) SetType(0x80061E40, "void PrintQLString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)") del_items(0x8006206C) SetType(0x8006206C, "void DrawQuestLog__Fv()") del_items(0x800622A4) SetType(0x800622A4, "void DrawQuestLogTSK__FP4TASK(struct TASK *T)") del_items(0x80062324) SetType(0x80062324, "void StartQuestlog__Fv()") del_items(0x80062434) SetType(0x80062434, "void QuestlogUp__Fv()") del_items(0x8006248C) SetType(0x8006248C, "void QuestlogDown__Fv()") del_items(0x800624F4) SetType(0x800624F4, "void QuestlogEnter__Fv()") del_items(0x800625B0) SetType(0x800625B0, "void QuestlogESC__Fv()") del_items(0x800625F0) SetType(0x800625F0, "void SetMultiQuest__FiiUci(int q, int s, unsigned char l, int v1)") del_items(0x80062670) SetType(0x80062670, "void _GLOBAL__D_questlog()") del_items(0x80062698) SetType(0x80062698, "void _GLOBAL__I_questlog()") del_items(0x800626C0) SetType(0x800626C0, "struct TextDat *GetBlockTexDat__7CBlocks(struct CBlocks *this)") del_items(0x800626CC) SetType(0x800626CC, "void SetRGB__6DialogUcUcUc_addr_800626CC(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x800626EC) SetType(0x800626EC, "void SetBack__6Dialogi_addr_800626EC(struct Dialog *this, int Type)") del_items(0x800626F4) SetType(0x800626F4, "void SetBorder__6Dialogi_addr_800626F4(struct Dialog *this, int Type)") del_items(0x800626FC) SetType(0x800626FC, "void ___6Dialog_addr_800626FC(struct Dialog *this, int __in_chrg)") del_items(0x80062724) SetType(0x80062724, "struct Dialog *__6Dialog_addr_80062724(struct Dialog *this)") del_items(0x80062780) SetType(0x80062780, "struct PAL *GetPal__7TextDati_addr_80062780(struct TextDat *this, int PalNum)") del_items(0x8006279C) SetType(0x8006279C, "struct FRAME_HDR *GetFr__7TextDati_addr_8006279C(struct TextDat *this, int FrNum)") del_items(0x800627B8) SetType(0x800627B8, "void DrawView__Fii(int StartX, int StartY)") del_items(0x8006295C) SetType(0x8006295C, "void DrawAndBlit__Fv()") del_items(0x80062A54) SetType(0x80062A54, "void FreeStoreMem__Fv()") del_items(0x80062A5C) SetType(0x80062A5C, "void DrawSTextBack__Fv()") del_items(0x80062ACC) SetType(0x80062ACC, "void PrintSString__FiiUcPcci(int x, int y, unsigned char cjustflag, char *str, int col, int val)") del_items(0x80062E5C) SetType(0x80062E5C, "void DrawSLine__Fi(int y)") del_items(0x80062EF0) SetType(0x80062EF0, "void ClearSText__Fii(int s, int e)") del_items(0x80062F88) SetType(0x80062F88, "void AddSLine__Fi(int y)") del_items(0x80062FD8) SetType(0x80062FD8, "void AddSTextVal__Fii(int y, int val)") del_items(0x80063000) SetType(0x80063000, "void AddSText__FiiUcPccUc(int x, int y, unsigned char j, char *str, int clr, int sel)") del_items(0x800630B4) SetType(0x800630B4, "void PrintStoreItem__FPC10ItemStructic(struct ItemStruct *x, int l, char iclr)") del_items(0x800634F8) SetType(0x800634F8, "void StoreAutoPlace__Fv()") del_items(0x80063AFC) SetType(0x80063AFC, "void S_StartSmith__Fv()") del_items(0x80063C84) SetType(0x80063C84, "void S_ScrollSBuy__Fi(int idx)") del_items(0x80063E3C) SetType(0x80063E3C, "void S_StartSBuy__Fv()") del_items(0x80063F64) SetType(0x80063F64, "void S_ScrollSPBuy__Fi(int idx)") del_items(0x80064138) SetType(0x80064138, "unsigned char S_StartSPBuy__Fv()") del_items(0x80064280) SetType(0x80064280, "unsigned char SmithSellOk__Fi(int i)") del_items(0x80064360) SetType(0x80064360, "void S_ScrollSSell__Fi(int idx)") del_items(0x80064560) SetType(0x80064560, "void S_StartSSell__Fv()") del_items(0x80064958) SetType(0x80064958, "unsigned char SmithRepairOk__Fi(int i)") del_items(0x800649F8) SetType(0x800649F8, "void AddStoreHoldRepair__FP10ItemStructi(struct ItemStruct *itm, int i)") del_items(0x80064BD4) SetType(0x80064BD4, "void S_StartSRepair__Fv()") del_items(0x80065050) SetType(0x80065050, "void S_StartWitch__Fv()") del_items(0x80065190) SetType(0x80065190, "void S_ScrollWBuy__Fi(int idx)") del_items(0x80065348) SetType(0x80065348, "void S_StartWBuy__Fv()") del_items(0x80065468) SetType(0x80065468, "unsigned char WitchSellOk__Fi(int i)") del_items(0x8006557C) SetType(0x8006557C, "void S_StartWSell__Fv()") del_items(0x80065B88) SetType(0x80065B88, "unsigned char WitchRechargeOk__Fi(int i)") del_items(0x80065C0C) SetType(0x80065C0C, "void AddStoreHoldRecharge__FG10ItemStructi(struct ItemStruct itm, int i)") del_items(0x80065D88) SetType(0x80065D88, "void S_StartWRecharge__Fv()") del_items(0x80066164) SetType(0x80066164, "void S_StartNoMoney__Fv()") del_items(0x800661CC) SetType(0x800661CC, "void S_StartNoRoom__Fv()") del_items(0x8006622C) SetType(0x8006622C, "void S_StartConfirm__Fv()") del_items(0x80066544) SetType(0x80066544, "void S_StartBoy__Fv()") del_items(0x800666D4) SetType(0x800666D4, "void S_StartBBoy__Fv()") del_items(0x80066828) SetType(0x80066828, "void S_StartHealer__Fv()") del_items(0x800669EC) SetType(0x800669EC, "void S_ScrollHBuy__Fi(int idx)") del_items(0x80066B58) SetType(0x80066B58, "void S_StartHBuy__Fv()") del_items(0x80066C70) SetType(0x80066C70, "void S_StartStory__Fv()") del_items(0x80066D60) SetType(0x80066D60, "unsigned char IdItemOk__FP10ItemStruct(struct ItemStruct *i)") del_items(0x80066D94) SetType(0x80066D94, "void AddStoreHoldId__FG10ItemStructi(struct ItemStruct itm, int i)") del_items(0x80066E64) SetType(0x80066E64, "void S_StartSIdentify__Fv()") del_items(0x800677F8) SetType(0x800677F8, "void S_StartIdShow__Fv()") del_items(0x8006797C) SetType(0x8006797C, "void S_StartTalk__Fv()") del_items(0x80067BAC) SetType(0x80067BAC, "void S_StartTavern__Fv()") del_items(0x80067CA4) SetType(0x80067CA4, "void S_StartBarMaid__Fv()") del_items(0x80067D78) SetType(0x80067D78, "void S_StartDrunk__Fv()") del_items(0x80067E4C) SetType(0x80067E4C, "void StartStore__Fc(char s)") del_items(0x80068134) SetType(0x80068134, "void DrawSText__Fv()") del_items(0x80068174) SetType(0x80068174, "void DrawSTextTSK__FP4TASK(struct TASK *T)") del_items(0x8006823C) SetType(0x8006823C, "void DoThatDrawSText__Fv()") del_items(0x800683E8) SetType(0x800683E8, "void STextESC__Fv()") del_items(0x80068574) SetType(0x80068574, "void STextUp__Fv()") del_items(0x800686FC) SetType(0x800686FC, "void STextDown__Fv()") del_items(0x80068894) SetType(0x80068894, "void S_SmithEnter__Fv()") del_items(0x80068968) SetType(0x80068968, "void SetGoldCurs__Fii(int pnum, int i)") del_items(0x800689E0) SetType(0x800689E0, "void SetSpdbarGoldCurs__Fii(int pnum, int i)") del_items(0x80068A58) SetType(0x80068A58, "void TakePlrsMoney__Fl(long cost)") del_items(0x80068E5C) SetType(0x80068E5C, "void SmithBuyItem__Fv()") del_items(0x80069030) SetType(0x80069030, "void S_SBuyEnter__Fv()") del_items(0x800691F8) SetType(0x800691F8, "void SmithBuyPItem__Fv()") del_items(0x80069360) SetType(0x80069360, "void S_SPBuyEnter__Fv()") del_items(0x80069570) SetType(0x80069570, "unsigned char StoreGoldFit__Fi(int idx)") del_items(0x80069808) SetType(0x80069808, "void PlaceStoreGold__Fl(long v)") del_items(0x80069A50) SetType(0x80069A50, "void StoreSellItem__Fv()") del_items(0x80069D20) SetType(0x80069D20, "void S_SSellEnter__Fv()") del_items(0x80069E0C) SetType(0x80069E0C, "void SmithRepairItem__Fv()") del_items(0x8006A044) SetType(0x8006A044, "void S_SRepairEnter__Fv()") del_items(0x8006A180) SetType(0x8006A180, "void S_WitchEnter__Fv()") del_items(0x8006A230) SetType(0x8006A230, "void WitchBuyItem__Fv()") del_items(0x8006A414) SetType(0x8006A414, "void S_WBuyEnter__Fv()") del_items(0x8006A5DC) SetType(0x8006A5DC, "void S_WSellEnter__Fv()") del_items(0x8006A6C8) SetType(0x8006A6C8, "void WitchRechargeItem__Fv()") del_items(0x8006A820) SetType(0x8006A820, "void S_WRechargeEnter__Fv()") del_items(0x8006A95C) SetType(0x8006A95C, "void S_BoyEnter__Fv()") del_items(0x8006AA8C) SetType(0x8006AA8C, "void BoyBuyItem__Fv()") del_items(0x8006AB08) SetType(0x8006AB08, "void HealerBuyItem__Fv()") del_items(0x8006AD7C) SetType(0x8006AD7C, "void S_BBuyEnter__Fv()") del_items(0x8006AF40) SetType(0x8006AF40, "void StoryIdItem__Fv()") del_items(0x8006B238) SetType(0x8006B238, "void S_ConfirmEnter__Fv()") del_items(0x8006B354) SetType(0x8006B354, "void S_HealerEnter__Fv()") del_items(0x8006B3EC) SetType(0x8006B3EC, "void S_HBuyEnter__Fv()") del_items(0x8006B5D4) SetType(0x8006B5D4, "void S_StoryEnter__Fv()") del_items(0x8006B66C) SetType(0x8006B66C, "void S_SIDEnter__Fv()") del_items(0x8006B7C8) SetType(0x8006B7C8, "void S_TalkEnter__Fv()") del_items(0x8006B9C0) SetType(0x8006B9C0, "void S_TavernEnter__Fv()") del_items(0x8006BA30) SetType(0x8006BA30, "void S_BarmaidEnter__Fv()") del_items(0x8006BAA0) SetType(0x8006BAA0, "void S_DrunkEnter__Fv()") del_items(0x8006BB10) SetType(0x8006BB10, "void STextEnter__Fv()") del_items(0x8006BD10) SetType(0x8006BD10, "void CheckStoreBtn__Fv()") del_items(0x8006BE14) SetType(0x8006BE14, "void ReleaseStoreBtn__Fv()") del_items(0x8006BE28) SetType(0x8006BE28, "void _GLOBAL__D_pSTextBoxCels()") del_items(0x8006BE50) SetType(0x8006BE50, "void _GLOBAL__I_pSTextBoxCels()") del_items(0x8006BE78) SetType(0x8006BE78, "unsigned short GetDown__C4CPad_addr_8006BE78(struct CPad *this)") del_items(0x8006BEA0) SetType(0x8006BEA0, "void SetRGB__6DialogUcUcUc_addr_8006BEA0(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)") del_items(0x8006BEC0) SetType(0x8006BEC0, "void SetBorder__6Dialogi_addr_8006BEC0(struct Dialog *this, int Type)") del_items(0x8006BEC8) SetType(0x8006BEC8, "void ___6Dialog_addr_8006BEC8(struct Dialog *this, int __in_chrg)") del_items(0x8006BEF0) SetType(0x8006BEF0, "struct Dialog *__6Dialog_addr_8006BEF0(struct Dialog *this)") del_items(0x8006BF4C) SetType(0x8006BF4C, "void T_DrawView__Fii(int StartX, int StartY)") del_items(0x8006C0C0) SetType(0x8006C0C0, "void T_FillSector__FPUcT0iiiib(unsigned char *P3Tiles, unsigned char *pSector, int xi, int yi, int w, int h, bool AddSec)") del_items(0x8006C2B8) SetType(0x8006C2B8, "void T_FillTile__FPUciii(unsigned char *P3Tiles, int xx, int yy, int t)") del_items(0x8006C3A8) SetType(0x8006C3A8, "void T_Pass3__Fv()") del_items(0x8006C784) SetType(0x8006C784, "void CreateTown__Fi(int entry)") del_items(0x8006C8EC) SetType(0x8006C8EC, "unsigned char *GRL_LoadFileInMemSig__FPCcPUl(char *Name, unsigned long *Len)") del_items(0x8006C9D0) SetType(0x8006C9D0, "void GRL_StripDir__FPcPCc(char *Dest, char *Src)") del_items(0x8006CA68) SetType(0x8006CA68, "unsigned char ForceTownTrig__Fv()") del_items(0x8006CD80) SetType(0x8006CD80, "unsigned char ForceL1Trig__Fv()") del_items(0x8006D030) SetType(0x8006D030, "unsigned char ForceL2Trig__Fv()") del_items(0x8006D490) SetType(0x8006D490, "unsigned char ForceL3Trig__Fv()") del_items(0x8006D90C) SetType(0x8006D90C, "unsigned char ForceL4Trig__Fv()") del_items(0x8006DE18) SetType(0x8006DE18, "void Freeupstairs__Fv()") del_items(0x8006DED8) SetType(0x8006DED8, "unsigned char ForceSKingTrig__Fv()") del_items(0x8006DFCC) SetType(0x8006DFCC, "unsigned char ForceSChambTrig__Fv()") del_items(0x8006E0C0) SetType(0x8006E0C0, "unsigned char ForcePWaterTrig__Fv()") del_items(0x8006E1B4) SetType(0x8006E1B4, "void CheckTrigForce__Fv()") del_items(0x8006E4D0) SetType(0x8006E4D0, "void FadeGameOut__Fv()") del_items(0x8006E56C) SetType(0x8006E56C, "bool IsTrigger__Fii(int x, int y)") del_items(0x8006E5D0) SetType(0x8006E5D0, "void CheckTriggers__Fi(int pnum)") del_items(0x8006EAF4) SetType(0x8006EAF4, "int GetManaAmount__Fii(int id, int sn)") del_items(0x8006ED94) SetType(0x8006ED94, "void UseMana__Fii(int id, int sn)") del_items(0x8006EEC0) SetType(0x8006EEC0, "unsigned char CheckSpell__FiicUc(int id, int sn, char st, unsigned char manaonly)") del_items(0x8006EF58) SetType(0x8006EF58, "void CastSpell__Fiiiiiiii(int id, int spl, int sx, int sy, int dx, int dy, int caster, int spllvl)") del_items(0x8006F1B4) SetType(0x8006F1B4, "void DoResurrect__Fii(int pnum, int rid)") del_items(0x8006F450) SetType(0x8006F450, "void DoHealOther__Fii(int pnum, int rid)") del_items(0x8006F694) SetType(0x8006F694, "void snd_update__FUc(unsigned char bStopAll)") del_items(0x8006F69C) SetType(0x8006F69C, "void snd_get_volume__FPCcPl(char *pszKey, long *plVolume)") del_items(0x8006F704) SetType(0x8006F704, "void snd_stop_snd__FP4TSnd(struct TSnd *pSnd)") del_items(0x8006F724) SetType(0x8006F724, "void snd_play_snd__FP4TSFXll(struct TSFX *pSnd, long lVolume, long lPan)") del_items(0x8006F794) SetType(0x8006F794, "void snd_play_msnd__FUsll(unsigned short pszName, long lVolume, long lPan)") del_items(0x8006F830) SetType(0x8006F830, "void snd_init__FUl(unsigned long hWnd)") del_items(0x8006F898) SetType(0x8006F898, "void music_stop__Fv()") del_items(0x8006F8E4) SetType(0x8006F8E4, "void music_fade__Fv()") del_items(0x8006F924) SetType(0x8006F924, "void music_start__Fi(int nTrack)") del_items(0x8006F9A8) SetType(0x8006F9A8, "void flyabout__7GamePad(struct GamePad *this)") del_items(0x8006FE30) SetType(0x8006FE30, "void CloseInvChr__Fv()") del_items(0x8006FE98) SetType(0x8006FE98, "void WorldToOffset__Fiii(int pnum, int WorldX, int WorldY)") del_items(0x8006FF3C) SetType(0x8006FF3C, "char pad_UpIsUp__Fi(int pval)") del_items(0x8006FFAC) SetType(0x8006FFAC, "char pad_UpIsUpRight__Fi(int pval)") del_items(0x8007001C) SetType(0x8007001C, "struct GamePad *__7GamePadi(struct GamePad *this, int player_num)") del_items(0x80070148) SetType(0x80070148, "void SetMoveStyle__7GamePadc(struct GamePad *this, char style_num)") del_items(0x80070188) SetType(0x80070188, "void SetDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())") del_items(0x800701CC) SetType(0x800701CC, "void SetComboDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())") del_items(0x80070210) SetType(0x80070210, "void SetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)") del_items(0x80070480) SetType(0x80070480, "void GetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)") del_items(0x80070640) SetType(0x80070640, "int GetActionButton__7GamePadPFi_v(struct GamePad *this, void (*func)())") del_items(0x8007069C) SetType(0x8007069C, "void SetUpAction__7GamePadPFi_vT1(struct GamePad *this, void (*func)(), void (*upfunc)())") del_items(0x800706D8) SetType(0x800706D8, "void RunFunc__7GamePadi(struct GamePad *this, int pad)") del_items(0x80070778) SetType(0x80070778, "void ButtonDown__7GamePadi(struct GamePad *this, int button)") del_items(0x80070B5C) SetType(0x80070B5C, "void TestButtons__7GamePad(struct GamePad *this)") del_items(0x80070C30) SetType(0x80070C30, "int CheckDirs__7GamePadi(struct GamePad *this, int dir)") del_items(0x80070D48) SetType(0x80070D48, "int CheckSide__7GamePadi(struct GamePad *this, int dir)") del_items(0x80070D8C) SetType(0x80070D8C, "int CheckBodge__7GamePadi(struct GamePad *this, int dir)") del_items(0x80071080) SetType(0x80071080, "void walk__7GamePadc(struct GamePad *this, char cmd)") del_items(0x80071350) SetType(0x80071350, "void check_around_player__7GamePad(struct GamePad *this)") del_items(0x80071578) SetType(0x80071578, "void show_combos__7GamePad(struct GamePad *this)") del_items(0x8007172C) SetType(0x8007172C, "void Handle__7GamePad(struct GamePad *this)") del_items(0x80071DC8) SetType(0x80071DC8, "void GamePadTask__FP4TASK(struct TASK *T)") del_items(0x80071FC0) SetType(0x80071FC0, "void PostGamePad__Fiiii(int val, int var1, int var2, int var3)") del_items(0x80072070) SetType(0x80072070, "void Init_GamePad__Fv()") del_items(0x800720A0) SetType(0x800720A0, "void InitGamePadVars__Fv()") del_items(0x80072118) SetType(0x80072118, "void MoveToScrollTarget__7CBlocks_addr_80072118(struct CBlocks *this)") del_items(0x8007212C) SetType(0x8007212C, "unsigned short GetDown__C4CPad_addr_8007212C(struct CPad *this)") del_items(0x80072154) SetType(0x80072154, "unsigned short GetUp__C4CPad_addr_80072154(struct CPad *this)") del_items(0x8007217C) SetType(0x8007217C, "unsigned short GetCur__C4CPad_addr_8007217C(struct CPad *this)") del_items(0x800721A4) SetType(0x800721A4, "void DoGameTestStuff__Fv()") del_items(0x800721D0) SetType(0x800721D0, "void DoInitGameStuff__Fv()") del_items(0x80072204) SetType(0x80072204, "void *SMemAlloc(unsigned long bytes, char *filename, int linenumber, unsigned long flags)") del_items(0x80072224) SetType(0x80072224, "unsigned char SMemFree(void *ptr, char *filename, int linenumber, unsigned long flags)") del_items(0x80072244) SetType(0x80072244, "void GRL_InitGwin__Fv()") del_items(0x80072250) SetType(0x80072250, "unsigned long (*GRL_SetWindowProc__FPFUlUilUl_Ul(unsigned long (*NewProc)()))()") del_items(0x80072260) SetType(0x80072260, "void GRL_CallWindowProc__FUlUilUl(unsigned long hw, unsigned int msg, long wp, unsigned long lp)") del_items(0x80072288) SetType(0x80072288, "unsigned char GRL_PostMessage__FUlUilUl(unsigned long hWnd, unsigned int Msg, long wParam, unsigned long lParam)") del_items(0x8007232C) SetType(0x8007232C, "char *Msg2Txt__Fi(int Msg)") del_items(0x80072374) SetType(0x80072374, "enum LANG_TYPE LANG_GetLang__Fv()") del_items(0x80072380) SetType(0x80072380, "void LANG_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)") del_items(0x80072558) SetType(0x80072558, "char *GetStr__Fi(int StrId)") del_items(0x800725C0) SetType(0x800725C0, "void LANG_SetLang__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)") del_items(0x800726C4) SetType(0x800726C4, "void DumpCurrentText__Fv()") del_items(0x8007271C) SetType(0x8007271C, "int CalcNumOfStrings__FPPc(char **TPtr)") del_items(0x80072728) SetType(0x80072728, "void GetLangFileName__F9LANG_TYPEPc(enum LANG_TYPE NewLanguageType, char *Dest)") del_items(0x80072848) SetType(0x80072848, "char *GetLangFileNameExt__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)") del_items(0x800728C8) SetType(0x800728C8, "void 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(0x80072E00) SetType(0x80072E00, "void FuncTOWN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80072F80) SetType(0x80072F80, "void FuncRPORTAL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800730E0) SetType(0x800730E0, "void FuncFIREBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073178) SetType(0x80073178, "void FuncHBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073228) SetType(0x80073228, "void FuncLIGHTNING__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x8007328C) SetType(0x8007328C, "void FuncGUARDIAN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800733A4) SetType(0x800733A4, "void FuncFIREWALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x8007343C) SetType(0x8007343C, "void FuncFIREMOVE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800734D4) SetType(0x800734D4, "void FuncFLAME__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x8007353C) SetType(0x8007353C, "void FuncARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800735D0) SetType(0x800735D0, "void FuncFARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800736B0) SetType(0x800736B0, "void FuncLARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073788) SetType(0x80073788, "void FuncMAGMABALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073818) SetType(0x80073818, "void FuncBONESPIRIT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073934) SetType(0x80073934, "void FuncACID__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800739D0) SetType(0x800739D0, "void FuncACIDSPLAT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073A38) SetType(0x80073A38, "void FuncACIDPUD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073AA0) SetType(0x80073AA0, "void FuncFLARE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073BD4) SetType(0x80073BD4, "void FuncFLAREXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073D18) SetType(0x80073D18, "void FuncCBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073D80) SetType(0x80073D80, "void FuncBOOM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073DD8) SetType(0x80073DD8, "void FuncELEMENT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073EA4) SetType(0x80073EA4, "void FuncMISEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073F08) SetType(0x80073F08, "void FuncRHINO__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80073F10) SetType(0x80073F10, "void FuncFLASH__FP13MissileStructiii(struct MissileStruct *Ms, int x, int y, int OtPos)") del_items(0x80074438) SetType(0x80074438, "void FuncMANASHIELD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800744D8) SetType(0x800744D8, "void FuncFLASH2__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x800744E0) SetType(0x800744E0, "void FuncRESURRECTBEAM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)") del_items(0x80074514) SetType(0x80074514, "void PRIM_GetPrim__FPP8POLY_FT4_addr_80074514(struct POLY_FT4 **Prim)") del_items(0x80074590) SetType(0x80074590, "struct CPlayer *GetPlayer__7CPlayeri_addr_80074590(int PNum)") del_items(0x800745E0) SetType(0x800745E0, "int GetLastOtPos__C7CPlayer_addr_800745E0(struct CPlayer *this)") del_items(0x800745EC) SetType(0x800745EC, "int GetLastScrY__C7CPlayer_addr_800745EC(struct CPlayer *this)") del_items(0x800745F8) SetType(0x800745F8, "int GetLastScrX__C7CPlayer_addr_800745F8(struct CPlayer *this)") del_items(0x80074604) SetType(0x80074604, "int GetNumOfFrames__7TextDat_addr_80074604(struct TextDat *this)") del_items(0x80074618) SetType(0x80074618, "struct FRAME_HDR *GetFr__7TextDati_addr_80074618(struct TextDat *this, int FrNum)") del_items(0x80074634) SetType(0x80074634, "void ML_Init__Fv()") del_items(0x8007466C) SetType(0x8007466C, "int ML_GetList__Fi(int Level)") del_items(0x800746EC) SetType(0x800746EC, "int ML_SetRandomList__Fi(int Level)") del_items(0x80074784) SetType(0x80074784, "int ML_SetList__Fii(int Level, int List)") del_items(0x80074834) SetType(0x80074834, "int ML_GetPresetMonsters__FiPiUl(int currlevel, int *typelist, unsigned long QuestsNeededMask)") del_items(0x800749F0) SetType(0x800749F0, "struct POLY_FT4 *DefaultObjPrint__FP12ObjectStructiiP7TextDatiii(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos, int XOffSet, int YOffSet)") del_items(0x80074B84) SetType(0x80074B84, "struct POLY_FT4 *LightObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80074C3C) SetType(0x80074C3C, "struct POLY_FT4 *DoorObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80074ED0) SetType(0x80074ED0, "void DrawLightSpark__Fiii(int xo, int yo, int ot)") del_items(0x80074FA8) SetType(0x80074FA8, "struct POLY_FT4 *PrintOBJ_L1LIGHT__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075030) SetType(0x80075030, "struct POLY_FT4 *PrintOBJ_SKFIRE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007505C) SetType(0x8007505C, "struct POLY_FT4 *PrintOBJ_LEVER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075088) SetType(0x80075088, "struct POLY_FT4 *PrintOBJ_CHEST1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800750B4) SetType(0x800750B4, "struct POLY_FT4 *PrintOBJ_CHEST2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800750E0) SetType(0x800750E0, "struct POLY_FT4 *PrintOBJ_CHEST3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007510C) SetType(0x8007510C, "struct POLY_FT4 *PrintOBJ_CANDLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075130) SetType(0x80075130, "struct POLY_FT4 *PrintOBJ_CANDLE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075154) SetType(0x80075154, "struct POLY_FT4 *PrintOBJ_CANDLEO__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075180) SetType(0x80075180, "struct POLY_FT4 *PrintOBJ_BANNERL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800751AC) SetType(0x800751AC, "struct POLY_FT4 *PrintOBJ_BANNERM__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800751D8) SetType(0x800751D8, "struct POLY_FT4 *PrintOBJ_BANNERR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075204) SetType(0x80075204, "struct POLY_FT4 *PrintOBJ_SKPILE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075230) SetType(0x80075230, "struct POLY_FT4 *PrintOBJ_SKSTICK1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007525C) SetType(0x8007525C, "struct POLY_FT4 *PrintOBJ_SKSTICK2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075288) SetType(0x80075288, "struct POLY_FT4 *PrintOBJ_SKSTICK3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800752B4) SetType(0x800752B4, "struct POLY_FT4 *PrintOBJ_SKSTICK4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800752E0) SetType(0x800752E0, "struct POLY_FT4 *PrintOBJ_SKSTICK5__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007530C) SetType(0x8007530C, "struct POLY_FT4 *PrintOBJ_CRUX1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075338) SetType(0x80075338, "struct POLY_FT4 *PrintOBJ_CRUX2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075364) SetType(0x80075364, "struct POLY_FT4 *PrintOBJ_CRUX3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075390) SetType(0x80075390, "struct POLY_FT4 *PrintOBJ_STAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800753BC) SetType(0x800753BC, "struct POLY_FT4 *PrintOBJ_ANGEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800753E8) SetType(0x800753E8, "struct POLY_FT4 *PrintOBJ_BOOK2L__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075414) SetType(0x80075414, "struct POLY_FT4 *PrintOBJ_BCROSS__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075440) SetType(0x80075440, "struct POLY_FT4 *PrintOBJ_NUDEW2R__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007546C) SetType(0x8007546C, "struct POLY_FT4 *PrintOBJ_SWITCHSKL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075498) SetType(0x80075498, "struct POLY_FT4 *PrintOBJ_TNUDEM1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800754C4) SetType(0x800754C4, "struct POLY_FT4 *PrintOBJ_TNUDEM2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800754F0) SetType(0x800754F0, "struct POLY_FT4 *PrintOBJ_TNUDEM3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007551C) SetType(0x8007551C, "struct POLY_FT4 *PrintOBJ_TNUDEM4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075548) SetType(0x80075548, "struct POLY_FT4 *PrintOBJ_TNUDEW1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075574) SetType(0x80075574, "struct POLY_FT4 *PrintOBJ_TNUDEW2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800755A0) SetType(0x800755A0, "struct POLY_FT4 *PrintOBJ_TNUDEW3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800755CC) SetType(0x800755CC, "struct POLY_FT4 *PrintOBJ_TORTURE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800755F8) SetType(0x800755F8, "struct POLY_FT4 *PrintOBJ_TORTURE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075624) SetType(0x80075624, "struct POLY_FT4 *PrintOBJ_TORTURE3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075650) SetType(0x80075650, "struct POLY_FT4 *PrintOBJ_TORTURE4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007567C) SetType(0x8007567C, "struct POLY_FT4 *PrintOBJ_TORTURE5__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800756A8) SetType(0x800756A8, "struct POLY_FT4 *PrintOBJ_BOOK2R__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800756D4) SetType(0x800756D4, "void PrintTorchStick__Fiiii(int x, int y, int f, int OtPos)") del_items(0x80075768) SetType(0x80075768, "struct POLY_FT4 *PrintOBJ_TORCHL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800757F8) SetType(0x800757F8, "struct POLY_FT4 *PrintOBJ_TORCHR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075888) SetType(0x80075888, "struct POLY_FT4 *PrintOBJ_TORCHL2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075918) SetType(0x80075918, "struct POLY_FT4 *PrintOBJ_TORCHR2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800759A8) SetType(0x800759A8, "struct POLY_FT4 *PrintOBJ_SARC__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800759D4) SetType(0x800759D4, "struct POLY_FT4 *PrintOBJ_FLAMEHOLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075A00) SetType(0x80075A00, "struct POLY_FT4 *PrintOBJ_FLAMELVR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075A2C) SetType(0x80075A2C, "struct POLY_FT4 *PrintOBJ_WATER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075A58) SetType(0x80075A58, "struct POLY_FT4 *PrintOBJ_BOOKLVR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075A84) SetType(0x80075A84, "struct POLY_FT4 *PrintOBJ_TRAPL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075AB0) SetType(0x80075AB0, "struct POLY_FT4 *PrintOBJ_TRAPR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075ADC) SetType(0x80075ADC, "struct POLY_FT4 *PrintOBJ_BOOKSHELF__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075B08) SetType(0x80075B08, "struct POLY_FT4 *PrintOBJ_WEAPRACK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075B34) SetType(0x80075B34, "struct POLY_FT4 *PrintOBJ_BARREL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075B60) SetType(0x80075B60, "struct POLY_FT4 *PrintOBJ_BARRELEX__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075CB8) SetType(0x80075CB8, "struct POLY_FT4 *PrintOBJ_SHRINEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075D84) SetType(0x80075D84, "struct POLY_FT4 *PrintOBJ_SHRINER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075E50) SetType(0x80075E50, "struct POLY_FT4 *PrintOBJ_SKELBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075E7C) SetType(0x80075E7C, "struct POLY_FT4 *PrintOBJ_BOOKCASEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075EA8) SetType(0x80075EA8, "struct POLY_FT4 *PrintOBJ_BOOKCASER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075ED4) SetType(0x80075ED4, "struct POLY_FT4 *PrintOBJ_BOOKSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075F00) SetType(0x80075F00, "struct POLY_FT4 *PrintOBJ_BOOKCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075F24) SetType(0x80075F24, "struct POLY_FT4 *PrintOBJ_BLOODFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075F50) SetType(0x80075F50, "struct POLY_FT4 *PrintOBJ_DECAP__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075F7C) SetType(0x80075F7C, "struct POLY_FT4 *PrintOBJ_TCHEST1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075FA8) SetType(0x80075FA8, "struct POLY_FT4 *PrintOBJ_TCHEST2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80075FD4) SetType(0x80075FD4, "struct POLY_FT4 *PrintOBJ_TCHEST3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076000) SetType(0x80076000, "struct POLY_FT4 *PrintOBJ_BLINDBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007602C) SetType(0x8007602C, "struct POLY_FT4 *PrintOBJ_BLOODBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076058) SetType(0x80076058, "struct POLY_FT4 *PrintOBJ_PEDISTAL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076084) SetType(0x80076084, "struct POLY_FT4 *PrintOBJ_PURIFYINGFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800760B0) SetType(0x800760B0, "struct POLY_FT4 *PrintOBJ_ARMORSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800760DC) SetType(0x800760DC, "struct POLY_FT4 *PrintOBJ_ARMORSTANDN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076108) SetType(0x80076108, "struct POLY_FT4 *PrintOBJ_GOATSHRINE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076134) SetType(0x80076134, "struct POLY_FT4 *PrintOBJ_CAULDRON__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076160) SetType(0x80076160, "struct POLY_FT4 *PrintOBJ_MURKYFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007618C) SetType(0x8007618C, "struct POLY_FT4 *PrintOBJ_TEARFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800761B8) SetType(0x800761B8, "struct POLY_FT4 *PrintOBJ_ALTBOY__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800761E4) SetType(0x800761E4, "struct POLY_FT4 *PrintOBJ_MCIRCLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076378) SetType(0x80076378, "struct POLY_FT4 *PrintOBJ_STORYBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800763A4) SetType(0x800763A4, "struct POLY_FT4 *PrintOBJ_STORYCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800763C8) SetType(0x800763C8, "struct POLY_FT4 *PrintOBJ_STEELTOME__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800763F4) SetType(0x800763F4, "struct POLY_FT4 *PrintOBJ_WARARMOR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076420) SetType(0x80076420, "struct POLY_FT4 *PrintOBJ_WARWEAP__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x8007644C) SetType(0x8007644C, "struct POLY_FT4 *PrintOBJ_TBCROSS__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076478) SetType(0x80076478, "struct POLY_FT4 *PrintOBJ_WEAPONRACK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800764A4) SetType(0x800764A4, "struct POLY_FT4 *PrintOBJ_WEAPONRACKN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800764D0) SetType(0x800764D0, "struct POLY_FT4 *PrintOBJ_MUSHPATCH__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x800764FC) SetType(0x800764FC, "struct POLY_FT4 *PrintOBJ_LAZSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076528) SetType(0x80076528, "struct POLY_FT4 *PrintOBJ_SLAINHERO__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076554) SetType(0x80076554, "struct POLY_FT4 *PrintOBJ_SIGNCHEST__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)") del_items(0x80076580) SetType(0x80076580, "struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_80076580(struct POLY_FT4 *Prim)") del_items(0x800765BC) SetType(0x800765BC, "void PRIM_CopyPrim__FP8POLY_FT4T0_addr_800765BC(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)") del_items(0x800765E4) SetType(0x800765E4, "void PRIM_GetPrim__FPP8POLY_FT4_addr_800765E4(struct POLY_FT4 **Prim)") del_items(0x80076660) SetType(0x80076660, "struct TextDat *GetBlockTexDat__7CBlocks_addr_80076660(struct CBlocks *this)") del_items(0x8007666C) SetType(0x8007666C, "int GetNumOfFrames__7TextDatii_addr_8007666C(struct TextDat *this, int Creature, int Action)") del_items(0x800766A4) SetType(0x800766A4, "struct CCreatureHdr *GetCreature__7TextDati_addr_800766A4(struct TextDat *this, int Creature)") del_items(0x8007671C) SetType(0x8007671C, "int GetNumOfCreatures__7TextDat_addr_8007671C(struct TextDat *this)") del_items(0x80076730) SetType(0x80076730, "struct FRAME_HDR *GetFr__7TextDati_addr_80076730(struct TextDat *this, int FrNum)") del_items(0x8007674C) SetType(0x8007674C, "void gamemenu_on__Fv()") del_items(0x80076754) SetType(0x80076754, "void gamemenu_off__Fv()") del_items(0x8007675C) SetType(0x8007675C, "void LoadPalette__FPCc(char *pszFileName)") del_items(0x80076764) SetType(0x80076764, "void LoadRndLvlPal__Fi(int l)") del_items(0x8007676C) SetType(0x8007676C, "void ResetPal__Fv()") del_items(0x80076774) SetType(0x80076774, "void SetFadeLevel__Fi(int fadeval)") del_items(0x800767A4) SetType(0x800767A4, "bool GetFadeState__Fv()") del_items(0x800767B0) SetType(0x800767B0, "void SetPolyXY__FP8POLY_GT4PUc(struct POLY_GT4 *gt4, unsigned char *coords)") del_items(0x800768B4) SetType(0x800768B4, "void SmearScreen__Fv()") del_items(0x800768BC) SetType(0x800768BC, "void DrawFadedScreen__Fv()") del_items(0x80076910) SetType(0x80076910, "void BlackPalette__Fv()") del_items(0x800769CC) SetType(0x800769CC, "void PaletteFadeInTask__FP4TASK(struct TASK *T)") del_items(0x80076A88) SetType(0x80076A88, "bool PaletteFadeIn__Fi(int fr)") del_items(0x80076AE0) SetType(0x80076AE0, "void PaletteFadeOutTask__FP4TASK(struct TASK *T)") del_items(0x80076BBC) SetType(0x80076BBC, "bool PaletteFadeOut__Fi(int fr)") del_items(0x80076C10) SetType(0x80076C10, "void M_CheckEFlag__Fi(int i)") del_items(0x80076C30) SetType(0x80076C30, "void M_ClearSquares__Fi(int i)") del_items(0x80076D9C) SetType(0x80076D9C, "unsigned char IsSkel__Fi(int mt)") del_items(0x80076DD8) SetType(0x80076DD8, "void NewMonsterAnim__FiR10AnimStructii(int i, struct AnimStruct *anim, int md, int AnimType)") del_items(0x80076E24) SetType(0x80076E24, "unsigned char M_Ranged__Fi(int i)") del_items(0x80076E6C) SetType(0x80076E6C, "unsigned char M_Talker__Fi(int i)") del_items(0x80076ECC) SetType(0x80076ECC, "void M_Enemy__Fi(int i)") del_items(0x80077474) SetType(0x80077474, "void ClearMVars__Fi(int i)") del_items(0x800774E8) SetType(0x800774E8, "void InitMonster__Fiiiii(int i, int rd, int mtype, int x, int y)") del_items(0x80077934) SetType(0x80077934, "int AddMonster__FiiiiUc(int x, int y, int dir, int mtype, int InMap)") del_items(0x800779E4) SetType(0x800779E4, "void M_StartStand__Fii(int i, int md)") del_items(0x80077B28) SetType(0x80077B28, "void M_UpdateLeader__Fi(int i)") del_items(0x80077C20) SetType(0x80077C20, "void ActivateSpawn__Fiiii(int i, int x, int y, int dir)") del_items(0x80077CC8) SetType(0x80077CC8, "unsigned char SpawnSkeleton__Fiii(int ii, int x, int y)") del_items(0x80077EB8) SetType(0x80077EB8, "void M_StartSpStand__Fii(int i, int md)") del_items(0x80077F98) SetType(0x80077F98, "unsigned char PosOkMonst__Fiii(int i, int x, int y)") del_items(0x80078214) SetType(0x80078214, "unsigned char CanPut__Fii(int i, int j)") del_items(0x8007851C) SetType(0x8007851C, "unsigned short GetAutomapType__FiiUc(int x, int y, unsigned char view)") del_items(0x80078818) SetType(0x80078818, "void SetAutomapView__Fii(int x, int y)") del_items(0x80078C68) SetType(0x80078C68, "void AddWarpMissile__Fiii(int i, int x, int y)") del_items(0x80078D70) SetType(0x80078D70, "void SyncPortals__Fv()") del_items(0x80078E78) SetType(0x80078E78, "void AddInTownPortal__Fi(int i)") del_items(0x80078EB4) SetType(0x80078EB4, "void ActivatePortal__FiiiiiUc(int i, int x, int y, int lvl, int lvltype, int sp)") del_items(0x80078F24) SetType(0x80078F24, "void DeactivatePortal__Fi(int i)") del_items(0x80078F44) SetType(0x80078F44, "unsigned char PortalOnLevel__Fi(int i)") del_items(0x80078F7C) SetType(0x80078F7C, "void RemovePortalMissile__Fi(int id)") del_items(0x80079118) SetType(0x80079118, "void SetCurrentPortal__Fi(int p)") del_items(0x80079124) SetType(0x80079124, "void GetPortalLevel__Fv()") del_items(0x800792D8) SetType(0x800792D8, "void GetPortalLvlPos__Fv()") del_items(0x8007938C) SetType(0x8007938C, "struct CompLevelMaps *__13CompLevelMaps(struct CompLevelMaps *this)") del_items(0x800793B8) SetType(0x800793B8, "void ___13CompLevelMaps(struct CompLevelMaps *this, int __in_chrg)") del_items(0x800793E0) SetType(0x800793E0, "void Init__13CompLevelMaps(struct CompLevelMaps *this)") del_items(0x80079410) SetType(0x80079410, "void Dump__13CompLevelMaps(struct CompLevelMaps *this)") del_items(0x800794B4) SetType(0x800794B4, "void DumpMap__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)") del_items(0x8007951C) SetType(0x8007951C, "struct DLevel *UseMap__13CompLevelMapsi(struct CompLevelMaps *this, int Val)") del_items(0x800795F0) SetType(0x800795F0, "void ReleaseMap__13CompLevelMapsP6DLevel(struct CompLevelMaps *this, struct DLevel *Map)") del_items(0x80079660) SetType(0x80079660, "bool IsMapCached__13CompLevelMapsi(struct CompLevelMaps *this, int Val)") del_items(0x800796D4) SetType(0x800796D4, "void WriteBackCachedMap__13CompLevelMaps(struct CompLevelMaps *this)") del_items(0x800798E8) SetType(0x800798E8, "void DecompToCached__13CompLevelMapsi(struct CompLevelMaps *this, int Val)") del_items(0x80079A88) SetType(0x80079A88, "void BuildCompLevelImage__13CompLevelMapsP17CompLevelMemImage(struct CompLevelMaps *this, struct CompLevelMemImage *Dest)") del_items(0x80079BE8) SetType(0x80079BE8, "void InitFromCompLevelImage__13CompLevelMapsP17CompLevelMemImage(struct CompLevelMaps *this, struct CompLevelMemImage *Src)") del_items(0x80079D28) SetType(0x80079D28, "int DoComp__13CompLevelMapsPUcT1i(struct CompLevelMaps *this, unsigned char *Dest, unsigned char *Source, int SourceSize)") del_items(0x80079D60) SetType(0x80079D60, "int DoDecomp__13CompLevelMapsPUcT1ii(struct CompLevelMaps *this, unsigned char *Dest, unsigned char *Source, int DestSize, int SourceSize)") del_items(0x80079D98) SetType(0x80079D98, "void VER_InitVersion__Fv()") del_items(0x80079DDC) SetType(0x80079DDC, "char *VER_GetVerString__Fv()") del_items(0x80079DEC) SetType(0x80079DEC, "int CharPair2Num__FPc(char *Str)") del_items(0x8001E648) SetType(0x8001E648, "void TICK_InitModule()") del_items(0x8001E668) SetType(0x8001E668, "void TICK_Set(unsigned long Val)") del_items(0x8001E678) SetType(0x8001E678, "unsigned long TICK_Get()") del_items(0x8001E688) SetType(0x8001E688, "void TICK_Update()") del_items(0x8001E6A8) SetType(0x8001E6A8, "unsigned long TICK_GetAge(unsigned long OldTick)") del_items(0x8001E6D4) SetType(0x8001E6D4, "char *TICK_GetDateString()") del_items(0x8001E6E4) SetType(0x8001E6E4, "char *TICK_GetTimeString()") del_items(0x8001E6F4) SetType(0x8001E6F4, "unsigned char GU_InitModule()") del_items(0x8001E720) SetType(0x8001E720, "void GU_SetRndSeed(unsigned long *Tab)") del_items(0x8001E750) SetType(0x8001E750, "unsigned long GU_GetRnd()") del_items(0x8001E7E0) SetType(0x8001E7E0, "long GU_GetSRnd()") del_items(0x8001E800) SetType(0x8001E800, "unsigned long GU_GetRndRange(unsigned int Range)") del_items(0x8001E83C) SetType(0x8001E83C, "unsigned int GU_AlignVal(unsigned int w, unsigned int round)") del_items(0x8001E860) SetType(0x8001E860, "void main()") del_items(0x8001E8B0) SetType(0x8001E8B0, "unsigned char DBG_OpenModule()") del_items(0x8001E8B8) SetType(0x8001E8B8, "void DBG_PollHost()") del_items(0x8001E8C0) SetType(0x8001E8C0, "void DBG_Halt()") del_items(0x8001E8C8) SetType(0x8001E8C8, "void DBG_SendMessage(char *e)") del_items(0x8001E8E0) SetType(0x8001E8E0, "void DBG_SetMessageHandler(void (*Func)())") del_items(0x8001E8F0) SetType(0x8001E8F0, "void DBG_Error(char *Text, char *File, int Line)") del_items(0x8001E91C) SetType(0x8001E91C, "void DBG_SetErrorFunc(void (*EFunc)())") del_items(0x8001E92C) SetType(0x8001E92C, "void SendPsyqString(char *e)") del_items(0x8001E934) SetType(0x8001E934, "void DBG_SetPollRoutine(void (*Func)())") del_items(0x8001E944) SetType(0x8001E944, "unsigned long GTIMSYS_GetTimer()") del_items(0x8001E968) SetType(0x8001E968, "void GTIMSYS_ResetTimer()") del_items(0x8001E98C) SetType(0x8001E98C, "unsigned long GTIMSYS_InitTimer()") del_items(0x8001EBC0) SetType(0x8001EBC0, "void DoEpi(struct TASK *T)") del_items(0x8001EC10) SetType(0x8001EC10, "void DoPro(struct TASK *T)") del_items(0x8001EC60) SetType(0x8001EC60, "unsigned char TSK_OpenModule(unsigned long MemType)") del_items(0x8001ECD4) SetType(0x8001ECD4, "struct TASK *TSK_AddTask(unsigned long Id, void (*Main)(), int StackSize, int DataSize)") del_items(0x8001EEBC) SetType(0x8001EEBC, "void TSK_DoTasks()") del_items(0x8001F07C) SetType(0x8001F07C, "void TSK_Sleep(int Frames)") del_items(0x8001F158) SetType(0x8001F158, "void ReturnToSchedulerIfCurrentTask(struct TASK *T)") del_items(0x8001F1E0) SetType(0x8001F1E0, "void TSK_Die()") del_items(0x8001F20C) SetType(0x8001F20C, "void TSK_Kill(struct TASK *T)") del_items(0x8001F25C) SetType(0x8001F25C, "struct TASK *TSK_GetFirstActive()") del_items(0x8001F26C) SetType(0x8001F26C, "unsigned char TSK_IsStackCorrupted(struct TASK *T)") del_items(0x8001F2E8) SetType(0x8001F2E8, "void TSK_JumpAndResetStack(void (*RunFunc)())") del_items(0x8001F330) SetType(0x8001F330, "void TSK_RepointProc(struct TASK *T, void (*Func)())") del_items(0x8001F374) SetType(0x8001F374, "struct TASK *TSK_GetCurrentTask()") del_items(0x8001F384) SetType(0x8001F384, "unsigned char TSK_IsCurrentTask(struct TASK *T)") del_items(0x8001F39C) SetType(0x8001F39C, "struct TASK *TSK_Exist(struct TASK *T, unsigned long Id, unsigned long Mask)") del_items(0x8001F3F4) SetType(0x8001F3F4, "void TSK_SetExecFilter(unsigned long Id, unsigned long Mask)") del_items(0x8001F40C) SetType(0x8001F40C, "void TSK_ClearExecFilter()") del_items(0x8001F430) SetType(0x8001F430, "int TSK_KillTasks(struct TASK *CallingT, unsigned long Id, unsigned long Mask)") del_items(0x8001F530) SetType(0x8001F530, "void TSK_IterateTasks(unsigned long Id, unsigned long Mask, void (*CallBack)())") del_items(0x8001F5A8) SetType(0x8001F5A8, "void TSK_MakeTaskInactive(struct TASK *T)") del_items(0x8001F5BC) SetType(0x8001F5BC, "void TSK_MakeTaskActive(struct TASK *T)") del_items(0x8001F5D0) SetType(0x8001F5D0, "void TSK_MakeTaskImmortal(struct TASK *T)") del_items(0x8001F5E4) SetType(0x8001F5E4, "void TSK_MakeTaskMortal(struct TASK *T)") del_items(0x8001F5F8) SetType(0x8001F5F8, "unsigned char TSK_IsTaskActive(struct TASK *T)") del_items(0x8001F60C) SetType(0x8001F60C, "unsigned char TSK_IsTaskMortal(struct TASK *T)") del_items(0x8001F620) SetType(0x8001F620, "void DetachFromList(struct TASK **Head, struct TASK *ThisObj)") del_items(0x8001F66C) SetType(0x8001F66C, "void AddToList(struct TASK **Head, struct TASK *ThisObj)") del_items(0x8001F68C) SetType(0x8001F68C, "void LoTskKill(struct TASK *T)") del_items(0x8001F6FC) SetType(0x8001F6FC, "void ExecuteTask(struct TASK *T)") del_items(0x8001F74C) SetType(0x8001F74C, "void (*TSK_SetDoTasksPrologue(void (*Func)()))()") del_items(0x8001F764) SetType(0x8001F764, "void (*TSK_SetDoTasksEpilogue(void (*Func)()))()") del_items(0x8001F77C) SetType(0x8001F77C, "void (*TSK_SetTaskPrologue(void (*Pro)()))()") del_items(0x8001F794) SetType(0x8001F794, "void (*TSK_SetTaskEpilogue(void (*Epi)()))()") del_items(0x8001F7AC) SetType(0x8001F7AC, "void TSK_SetEpiProFilter(unsigned long Id, unsigned long Mask)") del_items(0x8001F7C4) SetType(0x8001F7C4, "void TSK_ClearEpiProFilter()") del_items(0x8001F7F8) SetType(0x8001F7F8, "void TSK_SetExtraStackProtection(unsigned char OnOff)") del_items(0x8001F808) SetType(0x8001F808, "void (*TSK_SetStackFloodCallback(void (*Func)()))()") del_items(0x8001F820) SetType(0x8001F820, "int TSK_SetExtraStackSize(int Size)") del_items(0x8001F848) SetType(0x8001F848, "void ExtraMarkStack(unsigned long *Stack, int SizeLongs)") del_items(0x8001F874) SetType(0x8001F874, "int CheckExtraStack(unsigned long *Stack, int LongsToCheck)") del_items(0x8001F8B0) SetType(0x8001F8B0, "struct MEM_INFO *GSYS_GetWorkMemInfo()") del_items(0x8001F8C0) SetType(0x8001F8C0, "void GSYS_SetStackAndJump(void *Stack, void (*Func)(), void *Param)") del_items(0x8001F8FC) SetType(0x8001F8FC, "void GSYS_MarkStack(void *Stack, unsigned long StackSize)") del_items(0x8001F90C) SetType(0x8001F90C, "unsigned char GSYS_IsStackCorrupted(void *Stack, unsigned long StackSize)") del_items(0x8001F924) SetType(0x8001F924, "unsigned char GSYS_InitMachine()") del_items(0x8001F978) SetType(0x8001F978, "unsigned char GSYS_CheckPtr(void *Ptr)") del_items(0x8001F9AC) SetType(0x8001F9AC, "unsigned char GSYS_IsStackOutOfBounds(void *Stack, unsigned long StackSize)") del_items(0x8001FA28) SetType(0x8001FA28, "void GAL_SetErrorChecking(unsigned char OnOff)") del_items(0x8001FA38) SetType(0x8001FA38, "long GAL_SplitBlock(long CurBlock, unsigned long Size)") del_items(0x8001FB6C) SetType(0x8001FB6C, "void GAL_InitModule()") del_items(0x8001FC24) SetType(0x8001FC24, "unsigned char GAL_AddMemType(struct MEM_INIT_INFO *M)") del_items(0x8001FD44) SetType(0x8001FD44, "long GAL_Alloc(unsigned long Size, unsigned long Type, char *Name)") del_items(0x8001FEDC) SetType(0x8001FEDC, "void *GAL_Lock(long Handle)") del_items(0x8001FF3C) SetType(0x8001FF3C, "unsigned char GAL_Unlock(long Handle)") del_items(0x8001FFB8) SetType(0x8001FFB8, "unsigned char GAL_Free(long Handle)") del_items(0x80020058) SetType(0x80020058, "unsigned long GAL_GetFreeMem(unsigned long Type)") del_items(0x800200CC) SetType(0x800200CC, "unsigned long GAL_GetUsedMem(unsigned long Type)") del_items(0x80020140) SetType(0x80020140, "unsigned long GAL_LargestFreeBlock(unsigned long Type)") del_items(0x800201BC) SetType(0x800201BC, "void AttachHdrToList(struct MEM_HDR **Head, struct MEM_HDR *Block)") del_items(0x800201DC) SetType(0x800201DC, "void DetachHdrFromList(struct MEM_HDR **Head, struct MEM_HDR *Block)") del_items(0x80020228) SetType(0x80020228, "unsigned char IsActiveValidHandle(long Handle)") del_items(0x80020258) SetType(0x80020258, "void *AlignPtr(void *P, unsigned long Align)") del_items(0x80020288) SetType(0x80020288, "unsigned long AlignSize(unsigned long Size, unsigned long Align)") del_items(0x800202B8) SetType(0x800202B8, "struct MEM_HDR *FindClosestSizedBlock(struct MEM_HDR *Head, unsigned long Size)") del_items(0x80020310) SetType(0x80020310, "struct MEM_HDR *FindHighestMemBlock(struct MEM_HDR *Head, unsigned long Size)") del_items(0x80020378) SetType(0x80020378, "struct MEM_HDR *FindLowestMemBlock(struct MEM_HDR *Head, unsigned long Size)") del_items(0x800203E0) SetType(0x800203E0, "struct MEM_INIT_INFO *GetMemInitInfoBlockFromType(unsigned long Type)") del_items(0x8002041C) SetType(0x8002041C, "void MergeToEmptyList(struct MEM_INIT_INFO *MI, struct MEM_HDR *M)") del_items(0x800204F0) SetType(0x800204F0, "long GAL_AllocAt(unsigned long Size, void *Addr, unsigned long Type, char *Name)") del_items(0x800205CC) SetType(0x800205CC, "long LoAlloc(struct MEM_INIT_INFO *M, struct MEM_HDR *Block, void *Addr, unsigned long Size, char *Name)") del_items(0x80020764) SetType(0x80020764, "struct MEM_HDR *FindBlockInTheseBounds(struct MEM_HDR *Head, void *Addr, unsigned long Size)") del_items(0x800207D0) SetType(0x800207D0, "struct MEM_HDR *GetFreeMemHdrBlock()") del_items(0x80020858) SetType(0x80020858, "void ReleaseMemHdrBlock(struct MEM_HDR *Index)") del_items(0x80020898) SetType(0x80020898, "void GAL_IterateEmptyMem(unsigned long MemType, void (*Func)())") del_items(0x8002091C) SetType(0x8002091C, "void GAL_IterateUsedMem(unsigned long MemType, void (*Func)())") del_items(0x800209B8) SetType(0x800209B8, "unsigned char GAL_SetMemName(long Hnd, char *Text)") del_items(0x80020A20) SetType(0x80020A20, "unsigned long GAL_TotalMem(unsigned long Type)") del_items(0x80020A74) SetType(0x80020A74, "void *GAL_MemBase(unsigned long Type)") del_items(0x80020AC8) SetType(0x80020AC8, "unsigned char GAL_DefragMem(unsigned long type)") del_items(0x80020B4C) SetType(0x80020B4C, "unsigned char GSetError(enum GAL_ERROR_CODE Err)") del_items(0x80020BA8) SetType(0x80020BA8, "unsigned char GAL_CheckMem(unsigned long Type)") del_items(0x80020CA4) SetType(0x80020CA4, "unsigned char CheckCollisions(struct MEM_INIT_INFO *M, struct MEM_HDR *MemHdr)") del_items(0x80020D50) SetType(0x80020D50, "unsigned char AreBlocksColliding(struct MEM_HDR *Hdr1, struct MEM_HDR *Hdr2)") del_items(0x80020DA8) SetType(0x80020DA8, "char *GAL_GetErrorText(enum GAL_ERROR_CODE Err)") del_items(0x80020DD8) SetType(0x80020DD8, "enum GAL_ERROR_CODE GAL_GetLastErrorCode()") del_items(0x80020DE8) SetType(0x80020DE8, "char *GAL_GetLastErrorText()") del_items(0x80020E10) SetType(0x80020E10, "int GAL_HowManyEmptyRegions(unsigned long Type)") del_items(0x80020E78) SetType(0x80020E78, "int GAL_HowManyUsedRegions(unsigned long Type)") del_items(0x80020EE0) SetType(0x80020EE0, "void GAL_SetTimeStamp(int Time)") del_items(0x80020EF0) SetType(0x80020EF0, "void GAL_IncTimeStamp()") del_items(0x80020F10) SetType(0x80020F10, "int GAL_GetTimeStamp()") del_items(0x80020F20) SetType(0x80020F20, "long GAL_AlignSizeToType(unsigned long Size, unsigned long MemType)") del_items(0x80020F70) SetType(0x80020F70, "long GAL_AllocMultiStruct(struct GAL_STRUCT *G, unsigned long Type, char *Name)") del_items(0x80020FC0) SetType(0x80020FC0, "unsigned int GAL_ProcessMultiStruct(struct GAL_STRUCT *G, unsigned long Type)") del_items(0x8002106C) SetType(0x8002106C, "long GAL_GetSize(long hnd)") del_items(0x800210C0) SetType(0x800210C0, "unsigned char GazDefragMem(unsigned long MemType)") del_items(0x80021228) SetType(0x80021228, "void PutBlocksInRegionIntoList(struct MEM_REG *Reg, struct MEM_HDR **ToList, struct MEM_HDR **FromList)") del_items(0x800212CC) SetType(0x800212CC, "unsigned char CollideRegions(struct MEM_REG *Reg1, struct MEM_REG *Reg2)") del_items(0x80021300) SetType(0x80021300, "void DeleteEmptyBlocks(struct MEM_INIT_INFO *M)") del_items(0x8002136C) SetType(0x8002136C, "unsigned char GetRegion(struct MEM_REG *Reg, struct MEM_HDR *LockedBlocks, struct MEM_INIT_INFO *M)") del_items(0x80021464) SetType(0x80021464, "struct MEM_HDR *FindNextBlock(void *Addr, struct MEM_HDR *Blocks)") del_items(0x800214A0) SetType(0x800214A0, "unsigned long ShuffleBlocks(struct MEM_HDR *Blocks, struct MEM_REG *Reg, struct MEM_INIT_INFO *M)") del_items(0x80021530) SetType(0x80021530, "void PutAllLockedBlocksOntoList(struct MEM_HDR **ToHead, struct MEM_HDR **FromHead)") del_items(0x800215AC) SetType(0x800215AC, "void SortMemHdrListByAddr(struct MEM_HDR **Head)") del_items(0x80021660) SetType(0x80021660, "void GraftMemHdrList(struct MEM_HDR **ToList, struct MEM_HDR **FromList)") del_items(0x800216BC) SetType(0x800216BC, "void GAL_MemDump(unsigned long Type)") del_items(0x80021730) SetType(0x80021730, "void GAL_SetVerbosity(enum GAL_VERB_LEV G)") del_items(0x80021740) SetType(0x80021740, "int CountFreeBlocks()") del_items(0x8002176C) SetType(0x8002176C, "void SetBlockName(struct MEM_HDR *MemHdr, char *NewName)") del_items(0x800217B4) SetType(0x800217B4, "int GAL_GetNumFreeHeaders()") del_items(0x800217C4) SetType(0x800217C4, "unsigned long GAL_GetLastTypeAlloced()") del_items(0x800217D4) SetType(0x800217D4, "void (*GAL_SetAllocFilter(void (*NewFilter)()))()") del_items(0x800217EC) SetType(0x800217EC, "unsigned char GAL_SortUsedRegionsBySize(unsigned long MemType)") del_items(0x80021840) SetType(0x80021840, "unsigned char SortSize(struct MEM_HDR *B1, struct MEM_HDR *B2)") del_items(0x80021850) SetType(0x80021850, "void SortMemHdrList(struct MEM_HDR **Head, unsigned char (*CompFunc)())") del_items(0x80023C0C) SetType(0x80023C0C, "int vsprintf(char *str, char *fmt, char *ap)") del_items(0x80023C58) SetType(0x80023C58, "int _doprnt(char *fmt0, char *argp, struct FILE *fp)")
del_items(2147982868) set_type(2147982868, 'int GetTpY__FUs(unsigned short tpage)') del_items(2147982896) set_type(2147982896, 'int GetTpX__FUs(unsigned short tpage)') del_items(2147982908) set_type(2147982908, 'void Remove96__Fv()') del_items(2147982964) set_type(2147982964, 'void AppMain()') del_items(2147983124) set_type(2147983124, 'void MAIN_RestartGameTask__Fv()') del_items(2147983168) set_type(2147983168, 'void GameTask__FP4TASK(struct TASK *T)') del_items(2147983400) set_type(2147983400, 'void MAIN_MainLoop__Fv()') del_items(2147983472) set_type(2147983472, 'void CheckMaxArgs__Fv()') del_items(2147983524) set_type(2147983524, 'unsigned char GPUQ_InitModule__Fv()') del_items(2147983536) set_type(2147983536, 'void GPUQ_FlushQ__Fv()') del_items(2147983908) set_type(2147983908, 'void GPUQ_LoadImage__FP4RECTli(struct RECT *Rect, long ImgHandle, int Offset)') del_items(2147984088) set_type(2147984088, 'void GPUQ_DiscardHandle__Fl(long hnd)') del_items(2147984248) set_type(2147984248, 'void GPUQ_LoadClutAddr__FiiiPv(int X, int Y, int Cols, void *Addr)') del_items(2147984404) set_type(2147984404, 'void GPUQ_MoveImage__FP4RECTii(struct RECT *R, int x, int y)') del_items(2147984564) set_type(2147984564, 'unsigned char PRIM_Open__FiiiP10SCREEN_ENVUl(int Prims, int OtSize, int Depth, struct SCREEN_ENV *Scr, unsigned long MemType)') del_items(2147984848) set_type(2147984848, 'unsigned char InitPrimBuffer__FP11PRIM_BUFFERii(struct PRIM_BUFFER *Pr, int Prims, int OtSize)') del_items(2147985068) set_type(2147985068, 'void PRIM_Clip__FP4RECTi(struct RECT *R, int Depth)') del_items(2147985364) set_type(2147985364, 'unsigned char PRIM_GetCurrentScreen__Fv()') del_items(2147985376) set_type(2147985376, 'void PRIM_FullScreen__Fi(int Depth)') del_items(2147985436) set_type(2147985436, 'void PRIM_Flush__Fv()') del_items(2147985956) set_type(2147985956, 'unsigned long *PRIM_GetCurrentOtList__Fv()') del_items(2147985968) set_type(2147985968, 'void ClearPbOnDrawSync(struct PRIM_BUFFER *Pb)') del_items(2147986028) set_type(2147986028, 'unsigned char ClearedYet__Fv()') del_items(2147986040) set_type(2147986040, 'void PrimDrawSycnCallBack()') del_items(2147986072) set_type(2147986072, 'void SendDispEnv__Fv()') del_items(2147986108) set_type(2147986108, 'struct POLY_F4 *PRIM_GetNextPolyF4__Fv()') del_items(2147986132) set_type(2147986132, 'struct POLY_FT4 *PRIM_GetNextPolyFt4__Fv()') del_items(2147986156) set_type(2147986156, 'struct POLY_GT4 *PRIM_GetNextPolyGt4__Fv()') del_items(2147986180) set_type(2147986180, 'struct POLY_G4 *PRIM_GetNextPolyG4__Fv()') del_items(2147986204) set_type(2147986204, 'struct POLY_F3 *PRIM_GetNextPolyF3__Fv()') del_items(2147986228) set_type(2147986228, 'struct DR_MODE *PRIM_GetNextDrArea__Fv()') del_items(2147986252) set_type(2147986252, 'bool ClipRect__FRC4RECTR4RECT(struct RECT *ClipRect, struct RECT *RectToClip)') del_items(2147986528) set_type(2147986528, 'bool IsColiding__FRC4RECTT0(struct RECT *ClipRect, struct RECT *NewRect)') del_items(2147986632) set_type(2147986632, 'void VID_AfterDisplay__Fv()') del_items(2147986664) set_type(2147986664, 'void VID_ScrOn__Fv()') del_items(2147986704) set_type(2147986704, 'void VID_DoThisNextSync__FPFv_v(void (*Func)())') del_items(2147986792) set_type(2147986792, 'unsigned char VID_NextSyncRoutHasExecuted__Fv()') del_items(2147986804) set_type(2147986804, 'unsigned long VID_GetTick__Fv()') del_items(2147986816) set_type(2147986816, 'void VID_DispEnvSend()') del_items(2147986876) set_type(2147986876, 'void VID_SetXYOff__Fii(int x, int y)') del_items(2147986892) set_type(2147986892, 'int VID_GetXOff__Fv()') del_items(2147986904) set_type(2147986904, 'int VID_GetYOff__Fv()') del_items(2147986916) set_type(2147986916, 'void VID_SetDBuffer__Fb(bool DBuf)') del_items(2147987200) set_type(2147987200, 'void MyFilter__FUlUlPCc(unsigned long MemType, unsigned long Size, char *Name)') del_items(2147987208) set_type(2147987208, 'void SlowMemMove__FPvT0Ul(void *Dest, void *Source, unsigned long size)') del_items(2147987240) set_type(2147987240, 'int GetTpY__FUs_addr_8007AF28(unsigned short tpage)') del_items(2147987268) set_type(2147987268, 'int GetTpX__FUs_addr_8007AF44(unsigned short tpage)') del_items(2147987280) set_type(2147987280, 'struct FileIO *SYSI_GetFs__Fv()') del_items(2147987292) set_type(2147987292, 'struct FileIO *SYSI_GetOverlayFs__Fv()') del_items(2147987304) set_type(2147987304, 'void SortOutFileSystem__Fv()') del_items(2147987620) set_type(2147987620, 'void MemCb__FlPvUlPCcii(long hnd, void *Addr, unsigned long Size, char *Name, int Users, int TimeStamp)') del_items(2147987652) set_type(2147987652, 'void Spanker__Fv()') del_items(2147987716) set_type(2147987716, 'void GaryLiddon__Fv()') del_items(2147987724) set_type(2147987724, 'void ReadPad__Fi(int NoDeb)') del_items(2147987920) set_type(2147987920, 'void DummyPoll__Fv()') del_items(2147987928) set_type(2147987928, 'void DaveOwens__Fv()') del_items(2147987968) set_type(2147987968, 'unsigned short GetCur__C4CPad(struct CPad *this)') del_items(2147988008) set_type(2147988008, 'int GetTpY__FUs_addr_8007B228(unsigned short tpage)') del_items(2147988036) set_type(2147988036, 'int GetTpX__FUs_addr_8007B244(unsigned short tpage)') del_items(2147988048) set_type(2147988048, 'void TimSwann__Fv()') del_items(2147988056) set_type(2147988056, 'void stub__FPcPv(char *e, void *argptr)') del_items(2147988064) set_type(2147988064, 'void eprint__FPcT0i(char *Text, char *File, int Line)') del_items(2147988116) set_type(2147988116, 'void leighbird__Fv()') del_items(2147988156) set_type(2147988156, 'struct FileIO *__6FileIOUl(struct FileIO *this, unsigned long OurMemId)') del_items(2147988236) set_type(2147988236, 'void ___6FileIO(struct FileIO *this, int __in_chrg)') del_items(2147988320) set_type(2147988320, 'long Read__6FileIOPCcUl(struct FileIO *this, char *Name, unsigned long RamId)') del_items(2147988680) set_type(2147988680, 'int FileLen__6FileIOPCc(struct FileIO *this, char *Name)') del_items(2147988780) set_type(2147988780, 'void FileNotFound__6FileIOPCc(struct FileIO *this, char *Name)') del_items(2147988812) set_type(2147988812, 'bool StreamFile__6FileIOPCciPFPUciib_bii(struct FileIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)') del_items(2147989036) set_type(2147989036, 'bool ReadAtAddr__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Dest, int Len)') del_items(2147989232) set_type(2147989232, 'void DumpOldPath__6FileIO(struct FileIO *this)') del_items(2147989332) set_type(2147989332, 'void SetSearchPath__6FileIOPCc(struct FileIO *this, char *Path)') del_items(2147989552) set_type(2147989552, 'bool FindFile__6FileIOPCcPc(struct FileIO *this, char *Name, char *Buffa)') del_items(2147989828) set_type(2147989828, 'char *CopyPathItem__6FileIOPcPCc(struct FileIO *this, char *Dst, char *Src)') del_items(2147989996) set_type(2147989996, 'void LockSearchPath__6FileIO(struct FileIO *this)') del_items(2147990084) set_type(2147990084, 'void UnlockSearchPath__6FileIO(struct FileIO *this)') del_items(2147990172) set_type(2147990172, 'bool SearchPathExists__6FileIO(struct FileIO *this)') del_items(2147990192) set_type(2147990192, 'bool Save__6FileIOPCcPUci(struct FileIO *this, char *Name, unsigned char *Addr, int Len)') del_items(2147990252) set_type(2147990252, 'struct PCIO *__4PCIOUl(struct PCIO *this, unsigned long OurMemId)') del_items(2147990356) set_type(2147990356, 'void ___4PCIO(struct PCIO *this, int __in_chrg)') del_items(2147990444) set_type(2147990444, 'bool FileExists__4PCIOPCc(struct PCIO *this, char *Name)') del_items(2147990512) set_type(2147990512, 'bool LoReadFileAtAddr__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Dest, int Len)') del_items(2147990708) set_type(2147990708, 'int GetFileLength__4PCIOPCc(struct PCIO *this, char *Name)') del_items(2147990892) set_type(2147990892, 'bool LoSave__4PCIOPCcPUci(struct PCIO *this, char *Name, unsigned char *Addr, int Len)') del_items(2147991104) set_type(2147991104, 'bool LoStreamFile__4PCIOPCciPFPUciib_bii(struct PCIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)') del_items(2147991632) set_type(2147991632, 'struct SysObj *__6SysObj(struct SysObj *this)') del_items(2147991656) set_type(2147991656, 'void *__nw__6SysObji(int Amount)') del_items(2147991700) set_type(2147991700, 'void *__nw__6SysObjiUl(int Amount, unsigned long RamID)') del_items(2147991824) set_type(2147991824, 'void __dl__6SysObjPv(void *ptr)') del_items(2147991932) set_type(2147991932, 'struct DatIO *__5DatIOUl(struct DatIO *this, unsigned long OurMemId)') del_items(2147991992) set_type(2147991992, 'void ___5DatIO(struct DatIO *this, int __in_chrg)') del_items(2147992080) set_type(2147992080, 'bool FileExists__5DatIOPCc(struct DatIO *this, char *Name)') del_items(2147992144) set_type(2147992144, 'bool LoReadFileAtAddr__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Dest, int Len)') del_items(2147992336) set_type(2147992336, 'int GetFileLength__5DatIOPCc(struct DatIO *this, char *Name)') del_items(2147992516) set_type(2147992516, 'bool LoSave__5DatIOPCcPUci(struct DatIO *this, char *Name, unsigned char *Addr, int Len)') del_items(2147992684) set_type(2147992684, 'bool LoStreamFile__5DatIOPCciPFPUciib_bii(struct DatIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)') del_items(2147993208) set_type(2147993208, 'struct TextDat *__7TextDat(struct TextDat *this)') del_items(2147993272) set_type(2147993272, 'void ___7TextDat(struct TextDat *this, int __in_chrg)') del_items(2147993344) set_type(2147993344, 'void Use__7TextDat(struct TextDat *this)') del_items(2147993844) set_type(2147993844, 'bool TpLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)') del_items(2147994052) set_type(2147994052, 'void StreamLoadTP__7TextDat(struct TextDat *this)') del_items(2147994236) set_type(2147994236, 'void FinishedUsing__7TextDat(struct TextDat *this)') del_items(2147994328) set_type(2147994328, 'void MakeBlockOffsetTab__7TextDat(struct TextDat *this)') del_items(2147994440) set_type(2147994440, 'long MakeOffsetTab__C9CBlockHdr(struct CBlockHdr *this)') del_items(2147994740) set_type(2147994740, 'void SetUVTp__7TextDatP9FRAME_HDRP8POLY_FT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4, int XFlip, int YFlip)') del_items(2147994992) set_type(2147994992, 'struct POLY_FT4 *PrintMonster__7TextDatiiibi(struct TextDat *this, int Frm, int X, int Y, bool XFlip, int OtPos)') del_items(2147996024) set_type(2147996024, 'void PrepareFt4__7TextDatP8POLY_FT4iiiii(struct TextDat *this, struct POLY_FT4 *FT4, int Frm, int X, int Y, int XFlip, int YFlip)') del_items(2147996644) set_type(2147996644, 'unsigned char *GetDecompBufffer__7TextDati(struct TextDat *this, int Size)') del_items(2147996996) set_type(2147996996, 'void SetUVTpGT4__7TextDatP9FRAME_HDRP8POLY_GT4ii(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT4 *FT4, int XFlip, int YFlip)') del_items(2147997248) set_type(2147997248, 'void PrepareGt4__7TextDatP8POLY_GT4iiiii(struct TextDat *this, struct POLY_GT4 *GT4, int Frm, int X, int Y, int XFlip, int YFlip)') del_items(2147997852) set_type(2147997852, 'void SetUVTpGT3__7TextDatP9FRAME_HDRP8POLY_GT3(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_GT3 *GT3)') del_items(2147997980) set_type(2147997980, 'void PrepareGt3__7TextDatP8POLY_GT3iii(struct TextDat *this, struct POLY_GT3 *GT3, int Frm, int X, int Y)') del_items(2147998432) set_type(2147998432, 'struct POLY_FT4 *PrintFt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)') del_items(2147998772) set_type(2147998772, 'struct POLY_GT4 *PrintGt4__7TextDatiiiiii(struct TextDat *this, int Frm, int X, int Y, int XFlip, int OtPos, int YFlip)') del_items(2147999112) set_type(2147999112, 'struct POLY_GT3 *PrintGt3__7TextDatiiii(struct TextDat *this, int Frm, int X, int Y, int OtPos)') del_items(2147999340) set_type(2147999340, 'void DecompFrame__7TextDatP9FRAME_HDR(struct TextDat *this, struct FRAME_HDR *Fr)') del_items(2147999680) set_type(2147999680, 'void MakeCreatureOffsetTab__7TextDat(struct TextDat *this)') del_items(2148000000) set_type(2148000000, 'void MakePalOffsetTab__7TextDat(struct TextDat *this)') del_items(2148000252) set_type(2148000252, 'void InitData__7TextDat(struct TextDat *this)') del_items(2148000296) set_type(2148000296, 'void DumpData__7TextDat(struct TextDat *this)') del_items(2148000624) set_type(2148000624, 'struct TextDat *GM_UseTexData__Fi(int Id)') del_items(2148000912) set_type(2148000912, 'void GM_FinishedUsing__FP7TextDat(struct TextDat *Fin)') del_items(2148000996) set_type(2148000996, 'void SetPal__7TextDatP9FRAME_HDRP8POLY_FT4(struct TextDat *this, struct FRAME_HDR *Fr, struct POLY_FT4 *FT4)') del_items(2148001196) set_type(2148001196, 'int GetFrNum__7TextDatiiii(struct TextDat *this, int Creature, int Action, int Direction, int Frame)') del_items(2148001280) set_type(2148001280, 'bool IsDirAliased__7TextDatiii(struct TextDat *this, int Creature, int Action, int Direction)') del_items(2148001368) set_type(2148001368, 'void DoDecompRequests__7TextDat(struct TextDat *this)') del_items(2148001660) set_type(2148001660, 'void FindDecompArea__7TextDatR4RECT(struct TextDat *this, struct RECT *R)') del_items(2148001872) set_type(2148001872, 'struct CTextFileInfo *GetFileInfo__7TextDati(struct TextDat *this, int Id)') del_items(2148001952) set_type(2148001952, 'int GetSize__C15CCreatureAction(struct CCreatureAction *this)') del_items(2148001992) set_type(2148001992, 'int GetFrNum__C15CCreatureActionii(struct CCreatureAction *this, int Direction, int Frame)') del_items(2148002160) set_type(2148002160, 'void InitDirRemap__15CCreatureAction(struct CCreatureAction *this)') del_items(2148002352) set_type(2148002352, 'int GetFrNum__C12CCreatureHdriii(struct CCreatureHdr *this, int Action, int Direction, int Frame)') del_items(2148002420) set_type(2148002420, 'struct CCreatureAction *GetAction__C12CCreatureHdri(struct CCreatureHdr *this, int ActNum)') del_items(2148002564) set_type(2148002564, 'void InitActionDirRemaps__12CCreatureHdr(struct CCreatureHdr *this)') del_items(2148002676) set_type(2148002676, 'int GetSize__C12CCreatureHdr(struct CCreatureHdr *this)') del_items(2148002784) set_type(2148002784, 'long LoadDat__C13CTextFileInfo(struct CTextFileInfo *this)') del_items(2148002864) set_type(2148002864, 'long LoadHdr__C13CTextFileInfo(struct CTextFileInfo *this)') del_items(2148002904) set_type(2148002904, 'long GetFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)') del_items(2148003060) set_type(2148003060, 'bool HasFile__C13CTextFileInfoPc(struct CTextFileInfo *this, char *Ext)') del_items(2148003164) set_type(2148003164, 'void Un64__FPUcT0l(unsigned char *Src, unsigned char *Dest, long SizeBytes)') del_items(2148003376) set_type(2148003376, 'struct CScreen *__7CScreen(struct CScreen *this)') del_items(2148003428) set_type(2148003428, 'void Load__7CScreeniii(struct CScreen *this, int Id, int tpx, int tpy)') del_items(2148004064) set_type(2148004064, 'void Unload__7CScreen(struct CScreen *this)') del_items(2148004100) set_type(2148004100, 'void Display__7CScreeniiii(struct CScreen *this, int Id, int tpx, int tpy, int fadeval)') del_items(2148004836) set_type(2148004836, 'void SetRect__5CPartR7TextDatR4RECT(struct CPart *this, struct TextDat *TDat, struct RECT *R)') del_items(2148004956) set_type(2148004956, 'void GetBoundingBox__6CBlockR7TextDatR4RECT(struct CBlock *this, struct TextDat *TDat, struct RECT *R)') del_items(2148005304) set_type(2148005304, 'void _GLOBAL__D_DatPool()') del_items(2148005392) set_type(2148005392, 'void _GLOBAL__I_DatPool()') del_items(2148005476) set_type(2148005476, 'void PRIM_GetPrim__FPP8POLY_GT3(struct POLY_GT3 **Prim)') del_items(2148005600) set_type(2148005600, 'void PRIM_GetPrim__FPP8POLY_GT4(struct POLY_GT4 **Prim)') del_items(2148005724) set_type(2148005724, 'void PRIM_GetPrim__FPP8POLY_FT4(struct POLY_FT4 **Prim)') del_items(2148005848) set_type(2148005848, 'bool CanXferFrame__C7TextDat(struct TextDat *this)') del_items(2148005888) set_type(2148005888, 'bool CanXferPal__C7TextDat(struct TextDat *this)') del_items(2148005928) set_type(2148005928, 'bool IsLoaded__C7TextDat(struct TextDat *this)') del_items(2148005940) set_type(2148005940, 'int GetTexNum__C7TextDat(struct TextDat *this)') del_items(2148005952) set_type(2148005952, 'struct CCreatureHdr *GetCreature__7TextDati(struct TextDat *this, int Creature)') del_items(2148006072) set_type(2148006072, 'int GetNumOfCreatures__7TextDat(struct TextDat *this)') del_items(2148006092) set_type(2148006092, 'void SetFileInfo__7TextDatPC13CTextFileInfoi(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)') del_items(2148006104) set_type(2148006104, 'int GetNumOfFrames__7TextDat(struct TextDat *this)') del_items(2148006124) set_type(2148006124, 'struct PAL *GetPal__7TextDati(struct TextDat *this, int PalNum)') del_items(2148006152) set_type(2148006152, 'struct FRAME_HDR *GetFr__7TextDati(struct TextDat *this, int FrNum)') del_items(2148006180) set_type(2148006180, 'char *GetName__C13CTextFileInfo(struct CTextFileInfo *this)') del_items(2148006192) set_type(2148006192, 'bool HasDat__C13CTextFileInfo(struct CTextFileInfo *this)') del_items(2148006232) set_type(2148006232, 'bool HasTp__C13CTextFileInfo(struct CTextFileInfo *this)') del_items(2148006272) set_type(2148006272, 'int GetSize__C6CBlock(struct CBlock *this)') del_items(2148006292) set_type(2148006292, 'struct CdIO *__4CdIOUl(struct CdIO *this, unsigned long OurMemId)') del_items(2148006360) set_type(2148006360, 'void ___4CdIO(struct CdIO *this, int __in_chrg)') del_items(2148006448) set_type(2148006448, 'bool FileExists__4CdIOPCc(struct CdIO *this, char *Name)') del_items(2148006484) set_type(2148006484, 'bool LoReadFileAtAddr__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Dest, int Len)') del_items(2148006524) set_type(2148006524, 'int GetFileLength__4CdIOPCc(struct CdIO *this, char *Name)') del_items(2148006560) set_type(2148006560, 'bool LoSave__4CdIOPCcPUci(struct CdIO *this, char *Name, unsigned char *Addr, int Len)') del_items(2148006784) set_type(2148006784, 'void LoStreamCallBack__Fi(int handle)') del_items(2148006800) set_type(2148006800, 'bool CD_GetCdlFILE__FPCcP7CdlFILE(char *Name, struct CdlFILE *RetFile)') del_items(2148007132) set_type(2148007132, 'bool LoStreamFile__4CdIOPCciPFPUciib_bii(struct CdIO *this, char *Name, int Slice, bool (*Func)(), int Offset, int Size)') del_items(2148007744) set_type(2148007744, 'void BL_InitEAC__Fv()') del_items(2148007980) set_type(2148007980, 'long BL_ReadFile__FPcUl(char *Name, unsigned long RamId)') del_items(2148008280) set_type(2148008280, 'void BL_LoadDirectory__Fv()') del_items(2148008644) set_type(2148008644, 'void BL_LoadStreamDir__Fv()') del_items(2148009340) set_type(2148009340, 'struct STRHDR *BL_MakeFilePosTab__FPUcUl(unsigned char *BL_DirPtr, unsigned long NoStreamFiles)') del_items(2148009596) set_type(2148009596, 'struct STRHDR *BL_FindStreamFile__FPcc(char *Name, char LumpID)') del_items(2148010008) set_type(2148010008, 'bool BL_FileExists__FPcc(char *Name, char LumpID)') del_items(2148010044) set_type(2148010044, 'int BL_FileLength__FPcc(char *Name, char LumpID)') del_items(2148010096) set_type(2148010096, 'bool BL_LoadFileAtAddr__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)') del_items(2148010328) set_type(2148010328, 'bool BL_AsyncLoadDone__Fv()') del_items(2148010340) set_type(2148010340, 'void BL_AsyncLoadTASK__FP4TASK(struct TASK *T)') del_items(2148010440) set_type(2148010440, 'bool BL_LoadFileAsync__FPcPUcc(char *Name, unsigned char *Dest, char LumpID)') del_items(2148010664) set_type(2148010664, 'struct STRHDR *BL_OpenStreamFile__FPcc(char *Name, char LumpID)') del_items(2148010708) set_type(2148010708, 'bool BL_CloseStreamFile__FP6STRHDR(struct STRHDR *StreamHDR)') del_items(2148010764) set_type(2148010764, 'long BL_LoadFile__FPcUl(char *Name, unsigned long RamId)') del_items(2148011044) set_type(2148011044, 'int LZNP_Decode__FPUcT0(unsigned char *in, unsigned char *out)') del_items(2148011256) set_type(2148011256, 'void *Tmalloc__Fi(int MemSize)') del_items(2148011548) set_type(2148011548, 'void Tfree__FPv(void *Addr)') del_items(2148011724) set_type(2148011724, 'void InitTmalloc__Fv()') del_items(2148011764) set_type(2148011764, 'void strupr__FPc(char *Buffa)') del_items(2148011848) set_type(2148011848, 'void PauseTask__FP4TASK(struct TASK *T)') del_items(2148011924) set_type(2148011924, 'int GetPausePad__Fv()') del_items(2148012140) set_type(2148012140, 'bool TryPadForPause__Fi(int PadNum)') del_items(2148012184) set_type(2148012184, 'void DoPause__14CPauseMessagesi(struct CPauseMessages *this, int nPadNum)') del_items(2148012768) set_type(2148012768, 'bool DoPausedMessage__14CPauseMessages(struct CPauseMessages *this)') del_items(2148013552) set_type(2148013552, 'int DoQuitMessage__14CPauseMessages(struct CPauseMessages *this)') del_items(2148013840) set_type(2148013840, 'bool AreYouSureMessage__14CPauseMessages(struct CPauseMessages *this)') del_items(2148014100) set_type(2148014100, 'bool PA_SetPauseOk__Fb(bool NewPause)') del_items(2148014116) set_type(2148014116, 'bool PA_GetPauseOk__Fv()') del_items(2148014128) set_type(2148014128, 'void MY_PausePrint__17CTempPauseMessageiPci(struct CTempPauseMessage *this, int s, char *Txt, int Menu)') del_items(2148014464) set_type(2148014464, 'void InitPrintQuitMessage__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148014472) set_type(2148014472, 'void PrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)') del_items(2148014728) set_type(2148014728, 'void LeavePrintQuitMessage__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)') del_items(2148014736) set_type(2148014736, 'void InitPrintAreYouSure__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148014744) set_type(2148014744, 'void PrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)') del_items(2148015000) set_type(2148015000, 'void LeavePrintAreYouSure__17CTempPauseMessagei(struct CTempPauseMessage *this, int Menu)') del_items(2148015008) set_type(2148015008, 'void InitPrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148015016) set_type(2148015016, 'void PrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148015320) set_type(2148015320, 'void LeavePrintPaused__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148015328) set_type(2148015328, 'void ___17CTempPauseMessage(struct CTempPauseMessage *this, int __in_chrg)') del_items(2148015368) set_type(2148015368, 'void _GLOBAL__D_DoPause__14CPauseMessagesi()') del_items(2148015408) set_type(2148015408, 'void _GLOBAL__I_DoPause__14CPauseMessagesi()') del_items(2148015448) set_type(2148015448, 'struct CTempPauseMessage *__17CTempPauseMessage(struct CTempPauseMessage *this)') del_items(2148015516) set_type(2148015516, 'void ___14CPauseMessages(struct CPauseMessages *this, int __in_chrg)') del_items(2148015568) set_type(2148015568, 'struct CPauseMessages *__14CPauseMessages(struct CPauseMessages *this)') del_items(2148015588) set_type(2148015588, 'void SetRGB__6DialogUcUcUc(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2148015620) set_type(2148015620, 'void SetBack__6Dialogi(struct Dialog *this, int Type)') del_items(2148015628) set_type(2148015628, 'void SetBorder__6Dialogi(struct Dialog *this, int Type)') del_items(2148015636) set_type(2148015636, 'void ___6Dialog(struct Dialog *this, int __in_chrg)') del_items(2148015676) set_type(2148015676, 'struct Dialog *__6Dialog(struct Dialog *this)') del_items(2148015768) set_type(2148015768, 'unsigned short GetDown__C4CPad(struct CPad *this)') del_items(2148015808) set_type(2148015808, 'unsigned short GetUp__C4CPad(struct CPad *this)') del_items(2148015848) set_type(2148015848, 'unsigned char CheckActive__4CPad(struct CPad *this)') del_items(2148015860) set_type(2148015860, 'unsigned long ReadPadStream__Fv()') del_items(2148016140) set_type(2148016140, 'void PAD_Handler__Fv()') del_items(2148016580) set_type(2148016580, 'struct CPad *PAD_GetPad__FiUc(int PadNum, unsigned char both)') del_items(2148016736) set_type(2148016736, 'void NewVal__4CPadUs(struct CPad *this, unsigned short New)') del_items(2148017048) set_type(2148017048, 'void BothNewVal__4CPadUsUs(struct CPad *this, unsigned short New, unsigned short New2)') del_items(2148017396) set_type(2148017396, 'unsigned short Trans__4CPadUs(struct CPad *this, unsigned short PadVal)') del_items(2148017688) set_type(2148017688, 'void _GLOBAL__I_Pad0()') del_items(2148017744) set_type(2148017744, 'void SetPadType__4CPadUc(struct CPad *this, unsigned char val)') del_items(2148017752) set_type(2148017752, 'unsigned char CheckActive__4CPad_addr_80082658(struct CPad *this)') del_items(2148017764) set_type(2148017764, 'void SetActive__4CPadUc(struct CPad *this, unsigned char a)') del_items(2148017772) set_type(2148017772, 'void SetBothFlag__4CPadUc(struct CPad *this, unsigned char fl)') del_items(2148017780) set_type(2148017780, 'struct CPad *__4CPadi(struct CPad *this, int PhysStick)') del_items(2148017832) set_type(2148017832, 'void Flush__4CPad(struct CPad *this)') del_items(2148017868) set_type(2148017868, 'void Set__7FontTab(struct FontTab *this)') del_items(2148018024) set_type(2148018024, 'void InitPrinty__Fv()') del_items(2148018160) set_type(2148018160, 'void SetTextDat__5CFontP7TextDat(struct CFont *this, struct TextDat *NewDat)') del_items(2148018168) set_type(2148018168, 'int PrintChar__5CFontUsUscUcUcUc(struct CFont *this, unsigned short Cx, unsigned short Cy, char C, int R, int G, int B)') del_items(2148018552) set_type(2148018552, '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(2148019472) set_type(2148019472, 'int GetStrWidth__5CFontPc(struct CFont *this, char *Str)') del_items(2148019576) set_type(2148019576, 'void SetChar__5CFontiUs(struct CFont *this, int ch, unsigned short Frm)') del_items(2148019676) set_type(2148019676, 'int SetOTpos__5CFonti(struct CFont *this, int OT)') del_items(2148019688) set_type(2148019688, 'void ClearFont__5CFont(struct CFont *this)') del_items(2148019724) set_type(2148019724, 'bool IsDefined__5CFontUc(struct CFont *this, unsigned char C)') del_items(2148019756) set_type(2148019756, 'int GetCharFrameNum__5CFontc(struct CFont *this, char ch)') del_items(2148019780) set_type(2148019780, 'int GetCharWidth__5CFontc(struct CFont *this, char ch)') del_items(2148019868) set_type(2148019868, 'void Init__5CFont(struct CFont *this)') del_items(2148019920) set_type(2148019920, 'struct FRAME_HDR *GetFr__7TextDati_addr_80082ED0(struct TextDat *this, int FrNum)') del_items(2148019948) set_type(2148019948, 'unsigned char TrimCol__Fs(short col)') del_items(2148020004) set_type(2148020004, '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(2148022428) set_type(2148022428, '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(2148022740) set_type(2148022740, 'void DropShadows__Fiiii(int x, int y, int w, int h)') del_items(2148023416) set_type(2148023416, 'void InitDialog__Fv()') del_items(2148023728) set_type(2148023728, 'void GetSizes__6Dialog(struct Dialog *this)') del_items(2148024328) set_type(2148024328, 'void Back__6Dialogiiii(struct Dialog *this, int DX, int DY, int DW, int DH)') del_items(2148028872) set_type(2148028872, 'void Line__6Dialogiii(struct Dialog *this, int DX, int DY, int DW)') del_items(2148029408) set_type(2148029408, 'struct PAL *GetPal__7TextDati_addr_800853E0(struct TextDat *this, int PalNum)') del_items(2148029436) set_type(2148029436, 'struct FRAME_HDR *GetFr__7TextDati_addr_800853FC(struct TextDat *this, int FrNum)') del_items(2148029464) set_type(2148029464, 'void ATT_DoAttract__Fv()') del_items(2148029720) set_type(2148029720, 'void CreatePlayersFromFeData__FR9FE_CREATE(struct FE_CREATE *CStruct)') del_items(2148029876) set_type(2148029876, 'void UpdateSel__FPUsUsPUc(unsigned short *Col, unsigned short Add, unsigned char *Count)') del_items(2148029940) set_type(2148029940, 'void CycleSelCols__Fv()') del_items(2148030340) set_type(2148030340, 'int FindTownCreature__7CBlocksi(struct CBlocks *this, int GameEqu)') del_items(2148030456) set_type(2148030456, 'int FindCreature__7CBlocksi(struct CBlocks *this, int MgNum)') del_items(2148030540) set_type(2148030540, 'struct CBlocks *__7CBlocksiiiii(struct CBlocks *this, int BgId, int ObjId, int ItemId, int Level, int List)') del_items(2148030880) set_type(2148030880, 'void SetTownersGraphics__7CBlocks(struct CBlocks *this)') del_items(2148030936) set_type(2148030936, 'void SetMonsterGraphics__7CBlocksii(struct CBlocks *this, int Level, int List)') del_items(2148031136) set_type(2148031136, 'void ___7CBlocks(struct CBlocks *this, int __in_chrg)') del_items(2148031272) set_type(2148031272, 'void DumpGt4s__7CBlocks(struct CBlocks *this)') del_items(2148031376) set_type(2148031376, 'void DumpRects__7CBlocks(struct CBlocks *this)') del_items(2148031480) set_type(2148031480, 'void SetGraphics__7CBlocksPP7TextDatPii(struct CBlocks *this, struct TextDat **TDat, int *pId, int Id)') del_items(2148031572) set_type(2148031572, 'void DumpGraphics__7CBlocksPP7TextDatPi(struct CBlocks *this, struct TextDat **TDat, int *Id)') del_items(2148031652) set_type(2148031652, 'void PrintBlockOutline__7CBlocksiiiii(struct CBlocks *this, int x, int y, int r, int g, int b)') del_items(2148032496) set_type(2148032496, 'void Load__7CBlocksi(struct CBlocks *this, int Id)') del_items(2148032668) set_type(2148032668, 'void MakeRectTable__7CBlocks(struct CBlocks *this)') del_items(2148032880) set_type(2148032880, 'void MakeGt4Table__7CBlocks(struct CBlocks *this)') del_items(2148033144) set_type(2148033144, 'void MakeGt4__7CBlocksP8POLY_GT4P9FRAME_HDR(struct CBlocks *this, struct POLY_GT4 *GT4, struct FRAME_HDR *Fr)') del_items(2148033460) set_type(2148033460, 'struct CBlock *GetBlock__7CBlocksi(struct CBlocks *this, int num)') del_items(2148033580) set_type(2148033580, 'void Print__7CBlocks(struct CBlocks *this)') del_items(2148033620) set_type(2148033620, 'void SetXY__7CBlocksii(struct CBlocks *this, int nx, int ny)') del_items(2148033660) set_type(2148033660, 'void GetXY__7CBlocksPiT1(struct CBlocks *this, int *nx, int *ny)') del_items(2148033684) set_type(2148033684, 'void PrintMap__7CBlocksii(struct CBlocks *this, int x, int y)') del_items(2148039068) set_type(2148039068, 'void PrintGameSprites__7CBlocksiiiii(struct CBlocks *this, int ThisXPos, int ThisYPos, int OtPos, int ScrX, int ScrY)') del_items(2148039436) set_type(2148039436, 'void PrintGameSprites__7CBlocksP8map_infoiiiiiii(struct CBlocks *this, struct map_info *piece, int OtPos, int ScrX, int ScrY, int R, int G, int B)') del_items(2148042788) set_type(2148042788, 'void PrintSprites__7CBlocksP8map_infoiiiiiii(struct CBlocks *this, struct map_info *piece, int OtPos, int ScrX, int ScrY, int R, int G, int B)') del_items(2148044520) set_type(2148044520, 'void PrintSprites__7CBlocksiiiii(struct CBlocks *this, int ThisXPos, int ThisYPos, int OtPos, int ScrX, int ScrY)') del_items(2148044888) set_type(2148044888, 'int ScrToWorldX__7CBlocksii(struct CBlocks *this, int sx, int sy)') del_items(2148044908) set_type(2148044908, 'int ScrToWorldY__7CBlocksii(struct CBlocks *this, int sx, int sy)') del_items(2148044928) set_type(2148044928, 'void SetScrollTarget__7CBlocksii(struct CBlocks *this, int x, int y)') del_items(2148045124) set_type(2148045124, 'void DoScroll__7CBlocks(struct CBlocks *this)') del_items(2148045228) set_type(2148045228, 'void SetPlayerPosBlocks__7CBlocksiii(struct CBlocks *this, int PlayerNum, int bx, int by)') del_items(2148045388) set_type(2148045388, 'void GetScrXY__7CBlocksR4RECTiiii(struct CBlocks *this, struct RECT *R, int x, int y, int sxoff, int syoff)') del_items(2148045600) set_type(2148045600, 'void ShadScaleSkew__7CBlocksP8POLY_FT4(struct POLY_FT4 *Ft4)') del_items(2148045728) set_type(2148045728, 'int WorldToScrX__7CBlocksii(struct CBlocks *this, int x, int y)') del_items(2148045736) set_type(2148045736, 'int WorldToScrY__7CBlocksii(struct CBlocks *this, int x, int y)') del_items(2148045756) set_type(2148045756, 'struct CBlocks *BL_GetCurrentBlocks__Fv()') del_items(2148045768) set_type(2148045768, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800893C8(struct POLY_FT4 **Prim)') del_items(2148045892) set_type(2148045892, 'int GetHighlightCol__FiPiUsUsUs(int Index, int *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)') del_items(2148045964) set_type(2148045964, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4(struct POLY_FT4 *Prim)') del_items(2148046024) set_type(2148046024, 'int GetHighlightCol__FiPcUsUsUs(int Index, char *SelList, unsigned short P1Col, unsigned short P2Col, int P12Col)') del_items(2148046096) set_type(2148046096, 'void PRIM_GetPrim__FPP8POLY_GT4_addr_80089510(struct POLY_GT4 **Prim)') del_items(2148046220) set_type(2148046220, 'void PRIM_GetPrim__FPP7LINE_F2(struct LINE_F2 **Prim)') del_items(2148046344) set_type(2148046344, 'void PRIM_CopyPrim__FP8POLY_FT4T0(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)') del_items(2148046384) set_type(2148046384, 'int GetCreature__14TownToCreaturei(struct TownToCreature *this, int GameCreature)') del_items(2148046412) set_type(2148046412, 'void SetItemGraphics__7CBlocksi(struct CBlocks *this, int Id)') del_items(2148046452) set_type(2148046452, 'void SetObjGraphics__7CBlocksi(struct CBlocks *this, int Id)') del_items(2148046492) set_type(2148046492, 'void DumpItems__7CBlocks(struct CBlocks *this)') del_items(2148046528) set_type(2148046528, 'void DumpObjs__7CBlocks(struct CBlocks *this)') del_items(2148046564) set_type(2148046564, 'void DumpMonsters__7CBlocks(struct CBlocks *this)') del_items(2148046604) set_type(2148046604, 'int GetNumOfBlocks__7CBlocks(struct CBlocks *this)') del_items(2148046616) set_type(2148046616, 'void CopyToGt4__9LittleGt4P8POLY_GT4(struct LittleGt4 *this, struct POLY_GT4 *Gt4)') del_items(2148046768) set_type(2148046768, 'void InitFromGt4__9LittleGt4P8POLY_GT4ii(struct LittleGt4 *this, struct POLY_GT4 *Gt4, int nw, int nh)') del_items(2148046912) set_type(2148046912, 'int GetNumOfFrames__7TextDatii(struct TextDat *this, int Creature, int Action)') del_items(2148046968) set_type(2148046968, 'struct CCreatureHdr *GetCreature__7TextDati_addr_80089878(struct TextDat *this, int Creature)') del_items(2148047088) set_type(2148047088, 'int GetNumOfCreatures__7TextDat_addr_800898F0(struct TextDat *this)') del_items(2148047108) set_type(2148047108, 'void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_80089904(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)') del_items(2148047120) set_type(2148047120, 'struct PAL *GetPal__7TextDati_addr_80089910(struct TextDat *this, int PalNum)') del_items(2148047148) set_type(2148047148, 'struct FRAME_HDR *GetFr__7TextDati_addr_8008992C(struct TextDat *this, int FrNum)') del_items(2148047176) set_type(2148047176, 'bool OVR_IsMemcardOverlayBlank__Fv()') del_items(2148047220) set_type(2148047220, 'void OVR_LoadPregame__Fv()') del_items(2148047260) set_type(2148047260, 'void OVR_LoadFrontend__Fv()') del_items(2148047300) set_type(2148047300, 'void OVR_LoadGame__Fv()') del_items(2148047340) set_type(2148047340, 'void OVR_LoadFmv__Fv()') del_items(2148047380) set_type(2148047380, 'void OVR_LoadMemcard__Fv()') del_items(2148047424) set_type(2148047424, 'void ClearOutOverlays__Fv()') del_items(2148047512) set_type(2148047512, 'void ClearOut__7Overlay(struct Overlay *this)') del_items(2148047708) set_type(2148047708, 'void Load__7Overlay(struct Overlay *this)') del_items(2148047820) set_type(2148047820, 'enum OVER_TYPE OVR_GetCurrentOverlay__Fv()') del_items(2148047832) set_type(2148047832, 'void LoadOver__FR7Overlay(struct Overlay *Ovr)') del_items(2148047916) set_type(2148047916, 'void _GLOBAL__I_OVR_Open__Fv()') del_items(2148048284) set_type(2148048284, 'enum OVER_TYPE GetOverType__7Overlay(struct Overlay *this)') del_items(2148048296) set_type(2148048296, 'void StevesDummyPoll__Fv()') del_items(2148048304) set_type(2148048304, 'void Lambo__Fv()') del_items(2148048312) set_type(2148048312, 'struct CPlayer *__7CPlayerbi(struct CPlayer *this, bool Town, int mPlayerNum)') del_items(2148048540) set_type(2148048540, 'void ___7CPlayer(struct CPlayer *this, int __in_chrg)') del_items(2148048628) set_type(2148048628, 'void Load__7CPlayeri(struct CPlayer *this, int Id)') del_items(2148048720) set_type(2148048720, 'void SetBlockXY__7CPlayerR7CBlocksR12PlayerStruct(struct CPlayer *this, struct CBlocks *Bg, struct PlayerStruct *Plr)') del_items(2148049052) set_type(2148049052, 'void SetScrollTarget__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)') del_items(2148050120) set_type(2148050120, 'int GetNumOfSpellAnims__FR12PlayerStruct(struct PlayerStruct *Plr)') del_items(2148050248) set_type(2148050248, 'void Print__7CPlayerR12PlayerStructR7CBlocks(struct CPlayer *this, struct PlayerStruct *Plr, struct CBlocks *Bg)') del_items(2148051516) set_type(2148051516, 'int FindAction__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)') del_items(2148051640) set_type(2148051640, 'enum PACTION FindActionEnum__7CPlayerR12PlayerStruct(struct CPlayer *this, struct PlayerStruct *Plr)') del_items(2148051764) set_type(2148051764, 'void Init__7CPlayer(struct CPlayer *this)') del_items(2148051772) set_type(2148051772, 'void Dump__7CPlayer(struct CPlayer *this)') del_items(2148051780) set_type(2148051780, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8008AB44(struct POLY_FT4 **Prim)') del_items(2148051904) set_type(2148051904, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_8008ABC0(struct POLY_FT4 *Prim)') del_items(2148051964) set_type(2148051964, 'void PRIM_CopyPrim__FP8POLY_FT4T0_addr_8008ABFC(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)') del_items(2148052004) set_type(2148052004, 'int GetPlrOt__7CBlocksi(struct CBlocks *this, int PlayerNum)') del_items(2148052024) set_type(2148052024, 'void SetDecompArea__7TextDatiiii(struct TextDat *this, int nDecX, int nDecY, int nPalX, int nPalY)') del_items(2148052048) set_type(2148052048, 'int GetNumOfFrames__7TextDatii_addr_8008AC50(struct TextDat *this, int Creature, int Action)') del_items(2148052104) set_type(2148052104, 'int GetNumOfActions__7TextDati(struct TextDat *this, int Creature)') del_items(2148052140) set_type(2148052140, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8008ACAC(struct TextDat *this, int Creature)') del_items(2148052260) set_type(2148052260, 'int GetNumOfCreatures__7TextDat_addr_8008AD24(struct TextDat *this)') del_items(2148052280) set_type(2148052280, 'void SetFileInfo__7TextDatPC13CTextFileInfoi_addr_8008AD38(struct TextDat *this, struct CTextFileInfo *NewInfo, int NewTexNum)') del_items(2148052292) set_type(2148052292, 'void PROF_Open__Fv()') del_items(2148052356) set_type(2148052356, 'bool PROF_State__Fv()') del_items(2148052368) set_type(2148052368, 'void PROF_On__Fv()') del_items(2148052384) set_type(2148052384, 'void PROF_Off__Fv()') del_items(2148052396) set_type(2148052396, 'void PROF_CpuEnd__Fv()') del_items(2148052444) set_type(2148052444, 'void PROF_CpuStart__Fv()') del_items(2148052480) set_type(2148052480, 'void PROF_DrawStart__Fv()') del_items(2148052516) set_type(2148052516, 'void PROF_DrawEnd__Fv()') del_items(2148052564) set_type(2148052564, 'void PROF_Draw__FPUl(unsigned long *Ot)') del_items(2148053064) set_type(2148053064, 'void PROF_Restart__Fv()') del_items(2148053096) set_type(2148053096, 'void PSX_WndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)') del_items(2148053288) set_type(2148053288, 'void PSX_PostWndProc__FUilUl(unsigned int Msg, long wParam, unsigned long lParam)') del_items(2148053464) set_type(2148053464, 'void GoBackLevel__Fv()') del_items(2148053584) set_type(2148053584, 'void GoWarpLevel__Fv()') del_items(2148053640) set_type(2148053640, 'void PostLoadGame__Fv()') del_items(2148053796) set_type(2148053796, 'void GoLoadGame__Fv()') del_items(2148053932) set_type(2148053932, 'void PostNewLevel__Fv()') del_items(2148054088) set_type(2148054088, 'void GoNewLevel__Fv()') del_items(2148054172) set_type(2148054172, 'void PostGoBackLevel__Fv()') del_items(2148054324) set_type(2148054324, 'void GoForwardLevel__Fv()') del_items(2148054412) set_type(2148054412, 'void PostGoForwardLevel__Fv()') del_items(2148054564) set_type(2148054564, 'void GoNewGame__Fv()') del_items(2148054644) set_type(2148054644, 'void PostNewGame__Fv()') del_items(2148054700) set_type(2148054700, 'void LevelToLevelInit__Fv()') del_items(2148054788) set_type(2148054788, 'unsigned int GetPal__6GPaneli(struct GPanel *this, int Frm)') del_items(2148054856) set_type(2148054856, 'struct GPanel *__6GPaneli(struct GPanel *this, int Ofs)') del_items(2148054944) set_type(2148054944, 'void DrawFlask__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148056084) set_type(2148056084, 'void DrawSpeedBar__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148057240) set_type(2148057240, 'void DrawSpell__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148057592) set_type(2148057592, 'void DrawMsgWindow__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148057668) set_type(2148057668, 'int DrawDurThingy__6GPaneliiP10ItemStructi(struct GPanel *this, int X, int Y, struct ItemStruct *Item, int ItemType)') del_items(2148058624) set_type(2148058624, 'void DrawDurIcon__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148058868) set_type(2148058868, 'void Print__6GPanelP7PanelXYP12PlayerStruct(struct GPanel *this, struct PanelXY *XY, struct PlayerStruct *Plr)') del_items(2148059128) set_type(2148059128, 'struct PAL *GetPal__7TextDati_addr_8008C7F8(struct TextDat *this, int PalNum)') del_items(2148059156) set_type(2148059156, 'struct FRAME_HDR *GetFr__7TextDati_addr_8008C814(struct TextDat *this, int FrNum)') del_items(2148059184) set_type(2148059184, 'void STR_Debug__FP6SFXHDRPce(struct SFXHDR *sfh, char *e)') del_items(2148059204) set_type(2148059204, 'void STR_SystemTask__FP4TASK(struct TASK *T)') del_items(2148059268) set_type(2148059268, 'void STR_AllocBuffer__Fv()') del_items(2148059408) set_type(2148059408, 'void STR_Init__Fv()') del_items(2148059608) set_type(2148059608, 'struct SFXHDR *STR_InitStream__Fv()') del_items(2148059920) set_type(2148059920, 'struct SFXHDR *STR_PlaySound__FUscic(unsigned short Name, char flag, int volume, char loop)') del_items(2148060236) set_type(2148060236, 'void STR_setvolume__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148060324) set_type(2148060324, 'void STR_PlaySFX__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148060592) set_type(2148060592, 'void STR_pauseall__Fv()') del_items(2148060672) set_type(2148060672, 'void STR_resumeall__Fv()') del_items(2148060752) set_type(2148060752, 'void STR_CloseStream__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148060860) set_type(2148060860, 'void STR_SoundCommand__FP6SFXHDRi(struct SFXHDR *sfh, int Command)') del_items(2148061128) set_type(2148061128, 'char STR_Command__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148061416) set_type(2148061416, 'void STR_DMAControl__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148061616) set_type(2148061616, 'void STR_PlayStream__FP6SFXHDRPUci(struct SFXHDR *sfh, unsigned char *Src, int size)') del_items(2148062092) set_type(2148062092, 'void STR_AsyncWeeTASK__FP4TASK(struct TASK *T)') del_items(2148062852) set_type(2148062852, 'void STR_AsyncTASK__FP4TASK(struct TASK *T)') del_items(2148063920) set_type(2148063920, 'void STR_StreamMainTask__FP6SFXHDRc(struct SFXHDR *sfh, char FileType)') del_items(2148064192) set_type(2148064192, 'void SPU_Init__Fv()') del_items(2148064400) set_type(2148064400, 'int SND_FindChannel__Fv()') del_items(2148064508) set_type(2148064508, 'void SND_ClearBank__Fv()') del_items(2148064628) set_type(2148064628, 'bool SndLoadCallBack__FPUciib(unsigned char *Mem, int ReadSoFar, int Size, bool LastChunk)') del_items(2148064748) set_type(2148064748, 'void SND_LoadBank__Fi(int lvlnum)') del_items(2148065056) set_type(2148065056, 'int SND_FindSFX__FUs(unsigned short Name)') del_items(2148065140) set_type(2148065140, 'void SND_StopSnd__Fi(int voice)') del_items(2148065176) set_type(2148065176, 'int SND_RemapSnd__Fi(int SFXNo)') del_items(2148065276) set_type(2148065276, 'int SND_PlaySnd__FUsiii(unsigned short Name, int vol, int pan, int pitchadj)') del_items(2148065712) set_type(2148065712, 'void AS_CallBack0__Fi(int handle)') del_items(2148065732) set_type(2148065732, 'void AS_CallBack1__Fi(int handle)') del_items(2148065752) set_type(2148065752, 'void AS_WasLastBlock__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)') del_items(2148065972) set_type(2148065972, 'int AS_OpenStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)') del_items(2148066132) set_type(2148066132, 'char AS_GetBlock__FP6SFXHDR(struct SFXHDR *sfh)') del_items(2148066144) set_type(2148066144, 'void AS_CloseStream__FP6STRHDRP6SFXHDR(struct STRHDR *sh, struct SFXHDR *sfh)') del_items(2148066188) set_type(2148066188, 'int AS_LoopStream__FiP6STRHDRP6SFXHDR(int ah, struct STRHDR *sh, struct SFXHDR *sfh)') del_items(2148066476) set_type(2148066476, 'unsigned short SCR_NeedHighlightPal__FUsUsi(unsigned short Clut, unsigned short PixVal, int NumOfCols)') del_items(2148066528) set_type(2148066528, 'void Init__13PalCollectionPC7InitPos(struct PalCollection *this, struct InitPos *IPos)') del_items(2148066672) set_type(2148066672, 'struct PalEntry *FindPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)') del_items(2148066892) set_type(2148066892, 'struct PalEntry *NewPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)') del_items(2148067020) set_type(2148067020, 'void MakePal__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)') del_items(2148067180) set_type(2148067180, 'unsigned short GetHighlightPal__13PalCollectionUsUsi(struct PalCollection *this, unsigned short SourceClut, unsigned short PixVal, int NumOfCols)') del_items(2148067328) set_type(2148067328, 'void UpdatePals__13PalCollection(struct PalCollection *this)') del_items(2148067444) set_type(2148067444, 'void SCR_Handler__Fv()') del_items(2148067484) set_type(2148067484, 'int GetNumOfObjs__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)') del_items(2148067492) set_type(2148067492, 'struct PalEntry *GetObj__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)') del_items(2148067552) set_type(2148067552, 'void Init__t10Collection2Z8PalEntryi20(struct t10Collection2Z8PalEntryi20 *this)') del_items(2148067652) set_type(2148067652, 'void MoveFromUsedToUnused__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)') del_items(2148067740) set_type(2148067740, 'void MoveFromUnusedToUsed__t10Collection2Z8PalEntryi20P8PalEntry(struct t10Collection2Z8PalEntryi20 *this, struct PalEntry *RetObj)') del_items(2148067828) set_type(2148067828, 'void Set__8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)') del_items(2148067848) set_type(2148067848, 'void Set__8PalEntryRC7InitPos(struct PalEntry *this, struct InitPos *NewPos)') del_items(2148067892) set_type(2148067892, 'bool SetJustUsed__8PalEntryb(struct PalEntry *this, bool NewVal)') del_items(2148067900) set_type(2148067900, 'void Init__8PalEntry(struct PalEntry *this)') del_items(2148067908) set_type(2148067908, 'unsigned short GetClut__C8PalEntry(struct PalEntry *this)') del_items(2148067920) set_type(2148067920, 'bool IsEqual__C8PalEntryUsUsi(struct PalEntry *this, unsigned short _SourceClut, unsigned short _PixVal, int _NumOfCols)') del_items(2148067976) set_type(2148067976, 'struct PalEntry *GetNext__Ct11TLinkedList1Z8PalEntry(struct t11TLinkedList1Z8PalEntry *this)') del_items(2148067988) set_type(2148067988, 'void AddToList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)') del_items(2148068020) set_type(2148068020, 'void DetachFromList__t11TLinkedList1Z8PalEntryPP8PalEntry(struct t11TLinkedList1Z8PalEntry *this, struct PalEntry **Head)') del_items(2148068096) set_type(2148068096, 'void stub__FPcPv_addr_8008EB00(char *e, void *argptr)') del_items(2148068104) set_type(2148068104, 'void new_eprint__FPcT0i(char *Text, char *File, int Line)') del_items(2148068156) set_type(2148068156, 'void TonysGameTask__FP4TASK(struct TASK *T)') del_items(2148068292) set_type(2148068292, 'void print_demo_task__FP4TASK(struct TASK *T)') del_items(2148068596) set_type(2148068596, 'void TonysDummyPoll__Fv()') del_items(2148068632) set_type(2148068632, 'void load_demo_pad_data__FUl(unsigned long demo_num)') del_items(2148068728) set_type(2148068728, 'void save_demo_pad_data__FUl(unsigned long demo_num)') del_items(2148068824) set_type(2148068824, 'void set_pad_record_play__Fi(int level)') del_items(2148068944) set_type(2148068944, 'void demo_game_task__FP4TASK(struct TASK *T)') del_items(2148069000) set_type(2148069000, 'void start_demo__Fv()') del_items(2148069124) set_type(2148069124, 'void tony__Fv()') del_items(2148069180) set_type(2148069180, 'void GLUE_SetMonsterList__Fi(int List)') del_items(2148069192) set_type(2148069192, 'int GLUE_GetMonsterList__Fv()') del_items(2148069204) set_type(2148069204, 'void GLUE_SuspendGame__Fv()') del_items(2148069288) set_type(2148069288, 'void GLUE_ResumeGame__Fv()') del_items(2148069372) set_type(2148069372, 'void GLUE_PreTown__Fv()') del_items(2148069472) set_type(2148069472, 'void GLUE_PreDun__Fv()') del_items(2148069548) set_type(2148069548, 'bool GLUE_Finished__Fv()') del_items(2148069560) set_type(2148069560, 'void GLUE_SetFinished__Fb(bool NewFinished)') del_items(2148069572) set_type(2148069572, 'void GLUE_StartBg__Fibi(int TextId, bool IsTown, int Level)') del_items(2148069704) set_type(2148069704, 'bool GLUE_SetShowGameScreenFlag__Fb(bool NewFlag)') del_items(2148069720) set_type(2148069720, 'bool GLUE_SetHomingScrollFlag__Fb(bool NewFlag)') del_items(2148069736) set_type(2148069736, 'bool GLUE_SetShowPanelFlag__Fb(bool NewFlag)') del_items(2148069752) set_type(2148069752, 'void DoShowPanelGFX__FP6GPanelT0(struct GPanel *P1, struct GPanel *P2)') del_items(2148069968) set_type(2148069968, 'void BgTask__FP4TASK(struct TASK *T)') del_items(2148071228) set_type(2148071228, 'struct PInf *FindPlayerChar__FPc(char *Id)') del_items(2148071364) set_type(2148071364, 'struct PInf *FindPlayerChar__Fiii(int Char, int Wep, int Arm)') del_items(2148071456) set_type(2148071456, 'struct PInf *FindPlayerChar__FP12PlayerStruct(struct PlayerStruct *P)') del_items(2148071504) set_type(2148071504, 'int FindPlayerChar__FP12PlayerStructb(struct PlayerStruct *P, bool InTown)') del_items(2148071568) set_type(2148071568, 'void MakeSurePlayerDressedProperly__FR7CPlayerR12PlayerStructb(struct CPlayer *Player, struct PlayerStruct *Plr, bool InTown)') del_items(2148071652) set_type(2148071652, 'struct MonstList *GLUE_GetCurrentList__Fi(int Level)') del_items(2148071824) set_type(2148071824, 'int GetTexId__7CPlayer(struct CPlayer *this)') del_items(2148071836) set_type(2148071836, 'void SetTown__7CBlocksb(struct CBlocks *this, bool Val)') del_items(2148071844) set_type(2148071844, 'void MoveToScrollTarget__7CBlocks(struct CBlocks *this)') del_items(2148071864) set_type(2148071864, 'char *get_action_str__Fii(int pval, int combo)') del_items(2148071984) set_type(2148071984, 'int get_key_pad__Fi(int n)') del_items(2148072040) set_type(2148072040, 'void RemoveCtrlScreen__Fv()') del_items(2148072120) set_type(2148072120, 'unsigned char Init_ctrl_pos__Fv()') del_items(2148073672) set_type(2148073672, 'int remove_padval__Fi(int p)') del_items(2148073736) set_type(2148073736, 'int remove_comboval__Fi(int p)') del_items(2148073800) set_type(2148073800, 'unsigned char set_buttons__Fii(int cline, int n)') del_items(2148074140) set_type(2148074140, 'void restore_controller_settings__Fv()') del_items(2148074212) set_type(2148074212, 'unsigned char main_ctrl_setup__Fv()') del_items(2148075084) set_type(2148075084, 'void PrintCtrlString__FiiUcic(int x, int y, unsigned char cjustflag, int str_num, int col)') del_items(2148076380) set_type(2148076380, 'void DrawCtrlSetup__Fv()') del_items(2148077752) set_type(2148077752, 'void _GLOBAL__D_ctrlflag()') del_items(2148077792) set_type(2148077792, 'void _GLOBAL__I_ctrlflag()') del_items(2148077832) set_type(2148077832, 'unsigned short GetDown__C4CPad_addr_80091108(struct CPad *this)') del_items(2148077872) set_type(2148077872, 'unsigned short GetCur__C4CPad_addr_80091130(struct CPad *this)') del_items(2148077912) set_type(2148077912, 'void SetRGB__6DialogUcUcUc_addr_80091158(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2148077944) set_type(2148077944, 'void SetBorder__6Dialogi_addr_80091178(struct Dialog *this, int Type)') del_items(2148077952) set_type(2148077952, 'int SetOTpos__6Dialogi(struct Dialog *this, int OT)') del_items(2148077964) set_type(2148077964, 'void ___6Dialog_addr_8009118C(struct Dialog *this, int __in_chrg)') del_items(2148078004) set_type(2148078004, 'struct Dialog *__6Dialog_addr_800911B4(struct Dialog *this)') del_items(2148078096) set_type(2148078096, 'void switchnight__FP4TASK(struct TASK *T)') del_items(2148078172) set_type(2148078172, 'void city_lights__FP4TASK(struct TASK *T)') del_items(2148078556) set_type(2148078556, 'void color_cycle__FP4TASK(struct TASK *T)') del_items(2148078880) set_type(2148078880, 'void DrawFlameLogo__Fv()') del_items(2148079472) set_type(2148079472, 'void TitleScreen__FP7CScreen(struct CScreen *FeScreen)') del_items(2148079556) set_type(2148079556, 'bool TryCreaturePrint__Fiiiiiii(int nMonster, int blockr, int blockg, int blockb, int OtPos, int ScrX, int ScrY)') del_items(2148080168) set_type(2148080168, 'void TryWater__FiiP8POLY_GT4i(int BlockBase, int BlockNum, struct POLY_GT4 *DestGt4, int MyOt)') del_items(2148080656) set_type(2148080656, 'void nightgfx__FibiP8POLY_GT4i(int BlockBase, bool water, int BlockNum, struct POLY_GT4 *DestGt4, int MyOt)') del_items(2148081112) set_type(2148081112, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_80091DD8(struct POLY_FT4 *Prim)') del_items(2148081172) set_type(2148081172, 'void PRIM_CopyPrim__FP8POLY_FT4T0_addr_80091E14(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)') del_items(2148081212) set_type(2148081212, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_80091E3C(struct POLY_FT4 **Prim)') del_items(2148081336) set_type(2148081336, 'int GetNumOfActions__7TextDati_addr_80091EB8(struct TextDat *this, int Creature)') del_items(2148081372) set_type(2148081372, 'struct CCreatureHdr *GetCreature__7TextDati_addr_80091EDC(struct TextDat *this, int Creature)') del_items(2148081492) set_type(2148081492, 'int GetNumOfCreatures__7TextDat_addr_80091F54(struct TextDat *this)') del_items(2148081512) set_type(2148081512, 'void DaveLDummyPoll__Fv()') del_items(2148081520) set_type(2148081520, 'void DaveL__Fv()') del_items(2148081560) set_type(2148081560, 'void DoReflection__FP8POLY_FT4iii(struct POLY_FT4 *Ft4, int R, int G, int B)') del_items(2148082296) set_type(2148082296, 'void mteleportfx__Fv()') del_items(2148083028) set_type(2148083028, 'void invistimer__Fv()') del_items(2148083232) set_type(2148083232, 'void setUVparams__FP8POLY_FT4P9FRAME_HDR(struct POLY_FT4 *Ft4, struct FRAME_HDR *Fr)') del_items(2148083368) set_type(2148083368, 'void drawparticle__Fiiiiii(int x, int y, int scale, int anim, int colour, int OtPos)') del_items(2148083864) set_type(2148083864, 'void drawpolyF4__Fiiiiii(int x, int y, int w, int h, int colour, int OtPos)') del_items(2148084172) set_type(2148084172, 'void drawpolyG4__Fiiiiiiii(int x, int y, int w, int h1, int h2, int colour0, int colour1, int OtPos)') del_items(2148084636) set_type(2148084636, 'void particlejump__Fv()') del_items(2148085052) set_type(2148085052, 'void particleglow__Fv()') del_items(2148085280) set_type(2148085280, 'void doparticlejump__Fv()') del_items(2148085344) set_type(2148085344, 'void StartPartJump__Fiiiiii(int sx, int sy, int height, int scale, int colour, int OtPos)') del_items(2148085704) set_type(2148085704, '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(2148086720) set_type(2148086720, 'void ParticleMissile__FP13MissileStructiiii(struct MissileStruct *Ms, int ScrX, int ScrY, int colour, int OtPos)') del_items(2148086912) set_type(2148086912, 'void Teleportfx__Fiiiiiii(int scrnx, int scrny, int width, int height, int scale, int colmask, int numpart)') del_items(2148087592) set_type(2148087592, 'void ResurrectFX__Fiiii(int x, int height, int scale, int OtPos)') del_items(2148088140) set_type(2148088140, 'void GetPlrPos__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)') del_items(2148088432) set_type(2148088432, 'void healFX__Fv()') del_items(2148088712) set_type(2148088712, 'void HealStart__Fi(int plr)') del_items(2148088764) set_type(2148088764, 'void HealotherStart__Fi(int plr)') del_items(2148088820) set_type(2148088820, 'void TeleStart__Fi(int plr)') del_items(2148088912) set_type(2148088912, 'void PhaseStart__Fi(int plr)') del_items(2148088964) set_type(2148088964, 'void InvisStart__Fi(int plr)') del_items(2148089016) set_type(2148089016, 'void PhaseEnd__Fi(int plr)') del_items(2148089060) set_type(2148089060, 'void ApocInit__11SPELLFX_DATP12PlayerStruct(struct SPELLFX_DAT *this, struct PlayerStruct *ptrplr)') del_items(2148089488) set_type(2148089488, 'void ApocUpdate__11SPELLFX_DAT(struct SPELLFX_DAT *this)') del_items(2148089596) set_type(2148089596, 'void ApocaStart__Fi(int plr)') del_items(2148089680) set_type(2148089680, 'void doapocaFX__Fv()') del_items(2148090160) set_type(2148090160, 'void DaveLTask__FP4TASK(struct TASK *T)') del_items(2148090260) set_type(2148090260, 'void PRIM_GetPrim__FPP7POLY_G4(struct POLY_G4 **Prim)') del_items(2148090384) set_type(2148090384, 'void PRIM_GetPrim__FPP7POLY_F4(struct POLY_F4 **Prim)') del_items(2148090508) set_type(2148090508, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8009428C(struct POLY_FT4 **Prim)') del_items(2148090632) set_type(2148090632, 'struct FRAME_HDR *GetFr__7TextDati_addr_80094308(struct TextDat *this, int FrNum)') del_items(2148090660) set_type(2148090660, 'void DrawArrow__Fii(int x1, int y1)') del_items(2148091176) set_type(2148091176, 'void show_spell_dir__Fi(int pnum)') del_items(2148092196) set_type(2148092196, 'void release_spell__Fi(int pnum)') del_items(2148092312) set_type(2148092312, 'void select_belt_item__Fi(int pnum)') del_items(2148092320) set_type(2148092320, 'unsigned char any_belt_items__Fv()') del_items(2148092416) set_type(2148092416, 'void get_last_inv__Fv()') del_items(2148092716) set_type(2148092716, 'void get_next_inv__Fv()') del_items(2148093024) set_type(2148093024, 'void pad_func_up__Fi(int pnum)') del_items(2148093068) set_type(2148093068, 'void pad_func_down__Fi(int pnum)') del_items(2148093112) set_type(2148093112, 'void pad_func_left__Fi(int pnum)') del_items(2148093120) set_type(2148093120, 'void pad_func_right__Fi(int pnum)') del_items(2148093128) set_type(2148093128, 'void pad_func_select__Fi(int pnum)') del_items(2148093368) set_type(2148093368, 'void pad_func_Attack__Fi(int pnum)') del_items(2148094328) set_type(2148094328, 'void pad_func_Action__Fi(int pnum)') del_items(2148095128) set_type(2148095128, 'void InitTargetCursor__Fi(int pnum)') del_items(2148095456) set_type(2148095456, 'void RemoveTargetCursor__Fi(int pnum)') del_items(2148095600) set_type(2148095600, 'void pad_func_Cast_Spell__Fi(int pnum)') del_items(2148097132) set_type(2148097132, 'void pad_func_Use_Item__Fi(int pnum)') del_items(2148097376) set_type(2148097376, 'void pad_func_Chr__Fi(int pnum)') del_items(2148097692) set_type(2148097692, 'void pad_func_Inv__Fi(int pnum)') del_items(2148097980) set_type(2148097980, 'void pad_func_SplBook__Fi(int pnum)') del_items(2148098260) set_type(2148098260, 'void pad_func_QLog__Fi(int pnum)') del_items(2148098432) set_type(2148098432, 'void pad_func_SpellBook__Fi(int pnum)') del_items(2148098636) set_type(2148098636, 'void pad_func_AutoMap__Fi(int pnum)') del_items(2148098916) set_type(2148098916, 'void pad_func_Quick_Spell__Fi(int pnum)') del_items(2148099032) set_type(2148099032, 'void check_inv__FiPci(int pnum, char *ilist, int entries)') del_items(2148099496) set_type(2148099496, 'void pad_func_Quick_Use_Health__Fi(int pnum)') del_items(2148099536) set_type(2148099536, 'void pad_func_Quick_Use_Mana__Fi(int pnum)') del_items(2148099576) set_type(2148099576, 'int get_max_find_size__FPici(int *lsize, char mask, int pnum)') del_items(2148099888) set_type(2148099888, 'int sort_gold__Fi(int pnum)') del_items(2148100156) set_type(2148100156, 'void DrawObjSelector__Fi(int pnum)') del_items(2148102392) set_type(2148102392, 'void DrawObjTask__FP4TASK(struct TASK *T)') del_items(2148102612) set_type(2148102612, 'void add_area_find_object__Fciii(char type, int index, int x, int y)') del_items(2148102880) set_type(2148102880, 'unsigned char CheckRangeObject__Fiici(int x, int y, char cmask, int distance)') del_items(2148103828) set_type(2148103828, 'unsigned char CheckArea__FiiicUci(int xx, int yy, int range, char c_mask, int allflag, int pnum)') del_items(2148104416) set_type(2148104416, 'void PlacePlayer__FiiiUc(int pnum, int x, int y, unsigned char do_current)') del_items(2148104980) set_type(2148104980, 'void _GLOBAL__D_gplayer()') del_items(2148105020) set_type(2148105020, 'void _GLOBAL__I_gplayer()') del_items(2148105060) set_type(2148105060, 'void SetRGB__6DialogUcUcUc_addr_80097B64(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2148105092) set_type(2148105092, 'void SetBack__6Dialogi_addr_80097B84(struct Dialog *this, int Type)') del_items(2148105100) set_type(2148105100, 'void SetBorder__6Dialogi_addr_80097B8C(struct Dialog *this, int Type)') del_items(2148105108) set_type(2148105108, 'void ___6Dialog_addr_80097B94(struct Dialog *this, int __in_chrg)') del_items(2148105148) set_type(2148105148, 'struct Dialog *__6Dialog_addr_80097BBC(struct Dialog *this)') del_items(2148105240) set_type(2148105240, 'void MoveToScrollTarget__7CBlocks_addr_80097C18(struct CBlocks *this)') del_items(2148105260) set_type(2148105260, 'unsigned short GetDown__C4CPad_addr_80097C2C(struct CPad *this)') del_items(2148105300) set_type(2148105300, 'unsigned short GetCur__C4CPad_addr_80097C54(struct CPad *this)') del_items(2148105340) set_type(2148105340, 'void DEC_AddAsDecRequestor__FP7TextDat(struct TextDat *Td)') del_items(2148105464) set_type(2148105464, 'void DEC_RemoveAsDecRequestor__FP7TextDat(struct TextDat *Td)') del_items(2148105552) set_type(2148105552, 'void DEC_DoDecompRequests__Fv()') del_items(2148105644) set_type(2148105644, 'int FindThisTd__FP7TextDat(struct TextDat *Td)') del_items(2148105700) set_type(2148105700, 'int FindEmptyIndex__Fv()') del_items(2148105756) set_type(2148105756, 'void UPDATEPROGRESS__Fi(int inc)') del_items(2148105852) set_type(2148105852, 'bool IsGameLoading__Fv()') del_items(2148105864) set_type(2148105864, 'void PutUpCutScreenTSK__FP4TASK(struct TASK *T)') del_items(2148106976) set_type(2148106976, 'void PutUpCutScreen__Fi(int lev)') del_items(2148107152) set_type(2148107152, 'void TakeDownCutScreen__Fv()') del_items(2148107224) set_type(2148107224, 'void FinishProgress__Fv()') del_items(2148107296) set_type(2148107296, 'void PRIM_GetPrim__FPP7POLY_G4_addr_80098420(struct POLY_G4 **Prim)') del_items(2148107420) set_type(2148107420, 'void _GLOBAL__D_UPDATEPROGRESS__Fi()') del_items(2148107476) set_type(2148107476, 'void _GLOBAL__I_UPDATEPROGRESS__Fi()') del_items(2148107532) set_type(2148107532, 'void SetRGB__6DialogUcUcUc_addr_8009850C(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2148107564) set_type(2148107564, 'void SetBack__6Dialogi_addr_8009852C(struct Dialog *this, int Type)') del_items(2148107572) set_type(2148107572, 'void SetBorder__6Dialogi_addr_80098534(struct Dialog *this, int Type)') del_items(2148107580) set_type(2148107580, 'void ___6Dialog_addr_8009853C(struct Dialog *this, int __in_chrg)') del_items(2148107620) set_type(2148107620, 'struct Dialog *__6Dialog_addr_80098564(struct Dialog *this)') del_items(2148107712) set_type(2148107712, 'void ___7CScreen(struct CScreen *this, int __in_chrg)') del_items(2148107744) set_type(2148107744, 'void init_mem_card__FPFii_v(void (*handler)())') del_items(2148108284) set_type(2148108284, 'void memcard_event__Fii(int evt, int side)') del_items(2148108292) set_type(2148108292, 'void init_card__Fi(int card_number)') del_items(2148108344) set_type(2148108344, 'int ping_card__Fi(int card_number)') del_items(2148108492) set_type(2148108492, 'void CardUpdateTask__FP4TASK(struct TASK *T)') del_items(2148108548) set_type(2148108548, 'void MemcardON__Fv()') del_items(2148108656) set_type(2148108656, 'void MemcardOFF__Fv()') del_items(2148108736) set_type(2148108736, 'void DrawDialogBox__FiiP4RECTiiii(int e, int f, struct RECT *DRect, int X, int Y, int W, int H)') del_items(2148108964) set_type(2148108964, 'void DrawSpinner__FiiUcUcUciiibiT8(int x, int y, unsigned char SpinR, unsigned char SpinG, int SpinB, int spinradius, int spinbright, int angle, bool Sparkle, int OtPos, bool cross)') del_items(2148110188) set_type(2148110188, 'void DrawMenu__Fi(int MenuNo)') del_items(2148113052) set_type(2148113052, 'void ShowCharacterFiles__Fv()') del_items(2148114740) set_type(2148114740, 'void MemcardPad__Fv()') del_items(2148116440) set_type(2148116440, 'void SoundPad__Fv()') del_items(2148117992) set_type(2148117992, 'void CentrePad__Fv()') del_items(2148119052) set_type(2148119052, 'void CalcVolumes__Fv()') del_items(2148119372) set_type(2148119372, 'void GetVolumes__Fv()') del_items(2148119636) set_type(2148119636, 'void PrintInfoMenu__Fv()') del_items(2148120060) set_type(2148120060, 'void DrawOptions__FP4TASK(struct TASK *T)') del_items(2148121612) set_type(2148121612, 'void ToggleOptions__Fv()') del_items(2148121772) set_type(2148121772, 'void FormatPad__Fv()') del_items(2148122532) set_type(2148122532, 'void PRIM_GetPrim__FPP7POLY_G4_addr_8009BFA4(struct POLY_G4 **Prim)') del_items(2148122656) set_type(2148122656, 'unsigned short GetTick__C4CPad(struct CPad *this)') del_items(2148122696) set_type(2148122696, 'unsigned short GetDown__C4CPad_addr_8009C048(struct CPad *this)') del_items(2148122736) set_type(2148122736, 'unsigned short GetUp__C4CPad_addr_8009C070(struct CPad *this)') del_items(2148122776) set_type(2148122776, 'void SetPadTickMask__4CPadUs(struct CPad *this, unsigned short mask)') del_items(2148122784) set_type(2148122784, 'void SetPadTick__4CPadUs(struct CPad *this, unsigned short tick)') del_items(2148122792) set_type(2148122792, 'void SetRGB__6DialogUcUcUc_addr_8009C0A8(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2148122824) set_type(2148122824, 'void SetBack__6Dialogi_addr_8009C0C8(struct Dialog *this, int Type)') del_items(2148122832) set_type(2148122832, 'void SetBorder__6Dialogi_addr_8009C0D0(struct Dialog *this, int Type)') del_items(2148122840) set_type(2148122840, 'int SetOTpos__6Dialogi_addr_8009C0D8(struct Dialog *this, int OT)') del_items(2148122852) set_type(2148122852, 'void ___6Dialog_addr_8009C0E4(struct Dialog *this, int __in_chrg)') del_items(2148122892) set_type(2148122892, 'struct Dialog *__6Dialog_addr_8009C10C(struct Dialog *this)') del_items(2148122984) set_type(2148122984, 'struct FRAME_HDR *GetFr__7TextDati_addr_8009C168(struct TextDat *this, int FrNum)') del_items(2148123012) set_type(2148123012, 'unsigned char BirdDistanceOK__Fiiii(int WorldXa, int WorldYa, int WorldXb, int WorldYb)') del_items(2148123100) set_type(2148123100, 'void AlterBirdPos__FP10BIRDSTRUCTUc(struct BIRDSTRUCT *b, unsigned char rnd)') del_items(2148123576) set_type(2148123576, 'void BirdWorld__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int wx, int wy)') del_items(2148123700) set_type(2148123700, 'int BirdScared__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148123924) set_type(2148123924, 'int GetPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124008) set_type(2148124008, 'void BIRD_StartHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124368) set_type(2148124368, 'void BIRD_DoHop__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124628) set_type(2148124628, 'void BIRD_StartPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124688) set_type(2148124688, 'void BIRD_DoPerch__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124820) set_type(2148124820, 'void BIRD_DoScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148124992) set_type(2148124992, 'void BIRD_StartScatter__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148125156) set_type(2148125156, 'void BIRD_StartFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148125320) set_type(2148125320, 'void BIRD_DoFly__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148126004) set_type(2148126004, 'void BIRD_StartLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148126016) set_type(2148126016, 'void BIRD_DoLanding__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148126096) set_type(2148126096, 'void PlaceFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)') del_items(2148126332) set_type(2148126332, 'void ProcessFlock__FP10BIRDSTRUCT(struct BIRDSTRUCT *leader)') del_items(2148126636) set_type(2148126636, 'void InitBird__Fv()') del_items(2148126852) set_type(2148126852, 'void ProcessBird__Fv()') del_items(2148127196) set_type(2148127196, 'int GetBirdFrame__FP10BIRDSTRUCT(struct BIRDSTRUCT *b)') del_items(2148127352) set_type(2148127352, 'void bscale__FP8POLY_FT4i(struct POLY_FT4 *Ft4, int height)') del_items(2148127656) set_type(2148127656, 'void doshadow__FP10BIRDSTRUCTii(struct BIRDSTRUCT *b, int x, int y)') del_items(2148127916) set_type(2148127916, 'void DrawLBird__Fv()') del_items(2148128440) set_type(2148128440, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8009D6B8(struct POLY_FT4 **Prim)') del_items(2148128564) set_type(2148128564, 'short PlayFMV__FPCc(char *str)') del_items(2148128732) set_type(2148128732, 'void play_movie(char *pszMovie)') del_items(2148128876) set_type(2148128876, 'void DisplayMonsterTypes__Fv()') del_items(2148130056) set_type(2148130056, 'unsigned short GetDown__C4CPad_addr_8009DD08(struct CPad *this)') del_items(2148130096) set_type(2148130096, 'int GetNumOfFrames__7TextDatii_addr_8009DD30(struct TextDat *this, int Creature, int Action)') del_items(2148130152) set_type(2148130152, 'struct CCreatureHdr *GetCreature__7TextDati_addr_8009DD68(struct TextDat *this, int Creature)') del_items(2148130272) set_type(2148130272, 'int GetNumOfCreatures__7TextDat_addr_8009DDE0(struct TextDat *this)') del_items(2148130292) set_type(2148130292, 'struct FRAME_HDR *GetFr__7TextDati_addr_8009DDF4(struct TextDat *this, int FrNum)') del_items(2147674192) set_type(2147674192, 'unsigned char TrimCol__Fs_addr_8002E850(short col)') del_items(2147674248) set_type(2147674248, 'void DrawSpellCel__FllUclUc(long xp, long yp, unsigned char Trans, long nCel, int w)') del_items(2147677092) set_type(2147677092, 'void SetSpellTrans__Fc(char t)') del_items(2147677104) set_type(2147677104, 'void DrawSpellBookTSK__FP4TASK(struct TASK *T)') del_items(2147677256) set_type(2147677256, 'void DrawSpeedSpellTSK__FP4TASK(struct TASK *T)') del_items(2147677376) set_type(2147677376, 'void ToggleSpell__Fi(int pnum)') del_items(2147677556) set_type(2147677556, 'void DrawSpellList__Fv()') del_items(2147680932) set_type(2147680932, 'void SetSpell__Fi(int pnum)') del_items(2147681132) set_type(2147681132, 'void AddPanelString__FPCci(char *str, int just)') del_items(2147681308) set_type(2147681308, 'void ClearPanel__Fv()') del_items(2147681356) set_type(2147681356, 'void InitPanelStr__Fv()') del_items(2147681388) set_type(2147681388, 'void InitControlPan__Fv()') del_items(2147681964) set_type(2147681964, 'void DrawCtrlPan__Fv()') del_items(2147682008) set_type(2147682008, 'void DoAutoMap__Fv()') del_items(2147682124) set_type(2147682124, 'void CheckPanelInfo__Fv()') del_items(2147684312) set_type(2147684312, 'void FreeControlPan__Fv()') del_items(2147684584) set_type(2147684584, 'int CPrintString__FiPci(int No, char *pszStr, int Just)') del_items(2147684868) set_type(2147684868, 'void PrintInfo__Fv()') del_items(2147685440) set_type(2147685440, 'void DrawInfoBox__FP4RECT(struct RECT *InfoRect)') del_items(2147687292) set_type(2147687292, 'void MY_PlrStringXY__Fv()') del_items(2147688648) set_type(2147688648, 'void ADD_PlrStringXY__FPCcc(char *pszStr, char col)') del_items(2147688816) set_type(2147688816, 'void DrawPlus__Fii(int n, int pnum)') del_items(2147689176) set_type(2147689176, 'void ChrCheckValidButton__Fi(int move)') del_items(2147689380) set_type(2147689380, 'void DrawArrows__Fv()') del_items(2147689628) set_type(2147689628, 'void BuildChr__Fv()') del_items(2147694076) set_type(2147694076, 'void DrawChr__Fv()') del_items(2147695224) set_type(2147695224, 'void DrawChrTSK__FP4TASK(struct TASK *T)') del_items(2147695384) set_type(2147695384, 'void DrawLevelUpIcon__Fi(int pnum)') del_items(2147695532) set_type(2147695532, 'void CheckChrBtns__Fv()') del_items(2147696096) set_type(2147696096, 'int DrawDurIcon4Item__FPC10ItemStructii(struct ItemStruct *pItem, int x, int c)') del_items(2147696228) set_type(2147696228, 'void RedBack__Fv()') del_items(2147696460) set_type(2147696460, 'void PrintSBookStr__FiiUcPCcUc(int x, int y, unsigned char cjustflag, char *pszStr, int bright)') del_items(2147696612) set_type(2147696612, 'char GetSBookTrans__FiUc(int ii, unsigned char townok)') del_items(2147697132) set_type(2147697132, 'void DrawSpellBook__Fv()') del_items(2147699500) set_type(2147699500, 'void CheckSBook__Fv()') del_items(2147700096) set_type(2147700096, 'char *get_pieces_str__Fi(int nGold)') del_items(2147700148) set_type(2147700148, 'void _GLOBAL__D_fontkern()') del_items(2147700188) set_type(2147700188, 'void _GLOBAL__I_fontkern()') del_items(2147700248) set_type(2147700248, 'unsigned short GetDown__C4CPad_addr_80034E18(struct CPad *this)') del_items(2147700288) set_type(2147700288, 'void SetRGB__6DialogUcUcUc_addr_80034E40(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2147700320) set_type(2147700320, 'void SetBack__6Dialogi_addr_80034E60(struct Dialog *this, int Type)') del_items(2147700328) set_type(2147700328, 'void SetBorder__6Dialogi_addr_80034E68(struct Dialog *this, int Type)') del_items(2147700336) set_type(2147700336, 'void ___6Dialog_addr_80034E70(struct Dialog *this, int __in_chrg)') del_items(2147700376) set_type(2147700376, 'struct Dialog *__6Dialog_addr_80034E98(struct Dialog *this)') del_items(2147700468) set_type(2147700468, 'struct PAL *GetPal__7TextDati_addr_80034EF4(struct TextDat *this, int PalNum)') del_items(2147700496) set_type(2147700496, 'struct FRAME_HDR *GetFr__7TextDati_addr_80034F10(struct TextDat *this, int FrNum)') del_items(2147700524) set_type(2147700524, 'void InitCursor__Fv()') del_items(2147700532) set_type(2147700532, 'void FreeCursor__Fv()') del_items(2147700540) set_type(2147700540, 'void SetICursor__Fi(int i)') del_items(2147700632) set_type(2147700632, 'void SetCursor__Fi(int i)') del_items(2147700732) set_type(2147700732, 'void NewCursor__Fi(int i)') del_items(2147700764) set_type(2147700764, 'void InitLevelCursor__Fv()') del_items(2147700860) set_type(2147700860, 'void CheckTown__Fv()') del_items(2147701452) set_type(2147701452, 'void CheckRportal__Fv()') del_items(2147702004) set_type(2147702004, 'void CheckCursMove__Fv()') del_items(2147702012) set_type(2147702012, 'void InitDead__Fv()') del_items(2147702520) set_type(2147702520, 'void AddDead__Fiici(int dx, int dy, char dv, int ddir)') del_items(2147702592) set_type(2147702592, 'void FreeGameMem__Fv()') del_items(2147702672) set_type(2147702672, 'void start_game__FUi(unsigned int uMsg)') del_items(2147702764) set_type(2147702764, 'void free_game__Fv()') del_items(2147702880) set_type(2147702880, 'void LittleStart__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)') del_items(2147703076) set_type(2147703076, 'unsigned char StartGame__FUcUc(unsigned char bNewGame, unsigned char bSinglePlayer)') del_items(2147703560) set_type(2147703560, 'void run_game_loop__FUi(unsigned int uMsg)') del_items(2147703928) set_type(2147703928, 'unsigned char TryIconCurs__Fv()') del_items(2147704868) set_type(2147704868, 'unsigned long DisableInputWndProc__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)') del_items(2147704876) set_type(2147704876, 'unsigned long GM_Game__FUlUilUl(unsigned long hWnd, unsigned int uMsg, long wParam, unsigned long lParam)') del_items(2147705052) set_type(2147705052, 'void LoadLvlGFX__Fv()') del_items(2147705208) set_type(2147705208, 'void LoadAllGFX__Fv()') del_items(2147705240) set_type(2147705240, 'void CreateLevel__Fi(int lvldir)') del_items(2147705488) set_type(2147705488, 'void LoCreateLevel__FPv()') del_items(2147705880) set_type(2147705880, 'void ClearOutDungeonMap__Fv()') del_items(2147706100) set_type(2147706100, 'void LoadGameLevel__FUci(unsigned char firstflag, int lvldir)') del_items(2147708432) set_type(2147708432, 'void game_logic__Fv()') del_items(2147708700) set_type(2147708700, 'void timeout_cursor__FUc(unsigned char bTimeout)') del_items(2147708868) set_type(2147708868, 'void game_loop__FUc(unsigned char bStartup)') del_items(2147708924) set_type(2147708924, 'void alloc_plr__Fv()') del_items(2147708932) set_type(2147708932, 'void plr_encrypt__FUc(unsigned char bEncrypt)') del_items(2147708940) set_type(2147708940, 'void assert_fail__FiPCcT1(int nLineNo, char *pszFile, char *pszFail)') del_items(2147708972) set_type(2147708972, 'void assert_fail__FiPCc(int nLineNo, char *pszFile)') del_items(2147709004) set_type(2147709004, 'void app_fatal(char *pszFile)') del_items(2147709052) set_type(2147709052, 'void DoMemCardFromFrontEnd__Fv()') del_items(2147709092) set_type(2147709092, 'void DoMemCardFromInGame__Fv()') del_items(2147709132) set_type(2147709132, 'int GetActiveTowner__Fi(int t)') del_items(2147709216) set_type(2147709216, 'void SetTownerGPtrs__FPUcPPUc(unsigned char *pData, unsigned char **pAnim)') del_items(2147709248) set_type(2147709248, 'void NewTownerAnim__FiPUcii(int tnum, unsigned char *pAnim, int numFrames, int Delay)') del_items(2147709320) set_type(2147709320, 'void InitTownerInfo__FilUciiici(int i, long w, unsigned char sel, int t, int x, int y, int ao, int tp)') del_items(2147709672) set_type(2147709672, 'void InitQstSnds__Fi(int i)') del_items(2147709856) set_type(2147709856, 'void InitSmith__Fv()') del_items(2147710156) set_type(2147710156, 'void InitBarOwner__Fv()') del_items(2147710464) set_type(2147710464, 'void InitTownDead__Fv()') del_items(2147710768) set_type(2147710768, 'void InitWitch__Fv()') del_items(2147711072) set_type(2147711072, 'void InitBarmaid__Fv()') del_items(2147711376) set_type(2147711376, 'void InitBoy__Fv()') del_items(2147711688) set_type(2147711688, 'void InitHealer__Fv()') del_items(2147711992) set_type(2147711992, 'void InitTeller__Fv()') del_items(2147712296) set_type(2147712296, 'void InitDrunk__Fv()') del_items(2147712600) set_type(2147712600, 'void InitCows__Fv()') del_items(2147713308) set_type(2147713308, 'void InitTowners__Fv()') del_items(2147713448) set_type(2147713448, 'void FreeTownerGFX__Fv()') del_items(2147713612) set_type(2147713612, 'void TownCtrlMsg__Fi(int i)') del_items(2147713892) set_type(2147713892, 'void TownBlackSmith__Fv()') del_items(2147713944) set_type(2147713944, 'void TownBarOwner__Fv()') del_items(2147713996) set_type(2147713996, 'void TownDead__Fv()') del_items(2147714228) set_type(2147714228, 'void TownHealer__Fv()') del_items(2147714268) set_type(2147714268, 'void TownStory__Fv()') del_items(2147714308) set_type(2147714308, 'void TownDrunk__Fv()') del_items(2147714348) set_type(2147714348, 'void TownBoy__Fv()') del_items(2147714388) set_type(2147714388, 'void TownWitch__Fv()') del_items(2147714428) set_type(2147714428, 'void TownBarMaid__Fv()') del_items(2147714468) set_type(2147714468, 'void TownCow__Fv()') del_items(2147714508) set_type(2147714508, 'void ProcessTowners__Fv()') del_items(2147715100) set_type(2147715100, 'struct ItemStruct *PlrHasItem__FiiRi(int pnum, int item, int *i)') del_items(2147715296) set_type(2147715296, 'void CowSFX__Fi(int pnum)') del_items(2147715564) set_type(2147715564, 'void TownerTalk__Fii(int first, int t)') del_items(2147715628) set_type(2147715628, 'void TalkToTowner__Fii(int p, int t)') del_items(2147720740) set_type(2147720740, 'unsigned char effect_is_playing__Fi(int nSFX)') del_items(2147720748) set_type(2147720748, 'void stream_stop__Fv()') del_items(2147720820) set_type(2147720820, 'void stream_play__FP4TSFXll(struct TSFX *pSFX, long lVolume, long lPan)') del_items(2147721016) set_type(2147721016, 'void stream_update__Fv()') del_items(2147721024) set_type(2147721024, 'void sfx_stop__Fv()') del_items(2147721052) set_type(2147721052, 'void InitMonsterSND__Fi(int monst)') del_items(2147721140) set_type(2147721140, 'void FreeMonsterSnd__Fv()') del_items(2147721148) set_type(2147721148, 'unsigned char calc_snd_position__FiiPlT2(int x, int y, long *plVolume, long *plPan)') del_items(2147721400) set_type(2147721400, 'void PlaySFX_priv__FP4TSFXUcii(struct TSFX *pSFX, unsigned char loc, int x, int y)') del_items(2147721664) set_type(2147721664, 'void PlayEffect__Fii(int i, int mode)') del_items(2147721956) set_type(2147721956, 'int RndSFX__Fi(int psfx)') del_items(2147722108) set_type(2147722108, 'void PlaySFX__Fi(int psfx)') del_items(2147722172) set_type(2147722172, 'void PlaySfxLoc__Fiii(int psfx, int x, int y)') del_items(2147722256) set_type(2147722256, 'void sound_stop__Fv()') del_items(2147722408) set_type(2147722408, 'void sound_update__Fv()') del_items(2147722460) set_type(2147722460, 'void priv_sound_init__FUc(unsigned char bLoadMask)') del_items(2147722528) set_type(2147722528, 'void sound_init__Fv()') del_items(2147722688) set_type(2147722688, 'int GetDirection__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147722852) set_type(2147722852, 'void SetRndSeed__Fl(long s)') del_items(2147722868) set_type(2147722868, 'long GetRndSeed__Fv()') del_items(2147722940) set_type(2147722940, 'long random__Fil(int idx, long v)') del_items(2147723048) set_type(2147723048, 'unsigned char *DiabloAllocPtr__FUl(unsigned long dwBytes)') del_items(2147723124) set_type(2147723124, 'void mem_free_dbg__FPv(void *p)') del_items(2147723204) set_type(2147723204, 'unsigned char *LoadFileInMem__FPCcPUl(char *pszName, unsigned long *pdwFileLen)') del_items(2147723212) set_type(2147723212, 'void PlayInGameMovie__FPCc(char *pszMovie)') del_items(2147723356) set_type(2147723356, 'void Enter__9CCritSect(struct CCritSect *this)') del_items(2147723364) set_type(2147723364, 'void InitDiabloMsg__Fc(char e)') del_items(2147723512) set_type(2147723512, 'void ClrDiabloMsg__Fv()') del_items(2147723556) set_type(2147723556, 'void DrawDiabloMsg__Fv()') del_items(2147723824) set_type(2147723824, 'void interface_msg_pump__Fv()') del_items(2147723832) set_type(2147723832, 'void ShowProgress__FUi(unsigned int uMsg)') del_items(2147725044) set_type(2147725044, 'void InitAllItemsUseable__Fv()') del_items(2147725100) set_type(2147725100, 'void InitItemGFX__Fv()') del_items(2147725144) set_type(2147725144, 'unsigned char ItemPlace__Fii(int xp, int yp)') del_items(2147725344) set_type(2147725344, 'void AddInitItems__Fv()') del_items(2147725880) set_type(2147725880, 'void InitItems__Fv()') del_items(2147726328) set_type(2147726328, 'void CalcPlrItemVals__FiUc(int p, unsigned char Loadgfx)') del_items(2147729024) set_type(2147729024, 'void CalcPlrScrolls__Fi(int p)') del_items(2147729880) set_type(2147729880, 'void CalcPlrStaff__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147730036) set_type(2147730036, 'void CalcSelfItems__Fi(int pnum)') del_items(2147730380) set_type(2147730380, 'unsigned char ItemMinStats__FPC12PlayerStructPC10ItemStruct(struct PlayerStruct *p, struct ItemStruct *x)') del_items(2147730456) set_type(2147730456, 'void CalcPlrItemMin__Fi(int pnum)') del_items(2147730672) set_type(2147730672, 'void CalcPlrBookVals__Fi(int p)') del_items(2147731300) set_type(2147731300, 'void CalcPlrInv__FiUc(int p, unsigned char Loadgfx)') del_items(2147731488) set_type(2147731488, 'void SetPlrHandItem__FP10ItemStructi(struct ItemStruct *h, int idata)') del_items(2147731768) set_type(2147731768, 'void GetPlrHandSeed__FP10ItemStruct(struct ItemStruct *h)') del_items(2147731812) set_type(2147731812, 'void GetGoldSeed__FiP10ItemStruct(int pnum, struct ItemStruct *h)') del_items(2147732176) set_type(2147732176, 'void SetPlrHandSeed__FP10ItemStructi(struct ItemStruct *h, int iseed)') del_items(2147732184) set_type(2147732184, 'void SetPlrHandGoldCurs__FP10ItemStruct(struct ItemStruct *h)') del_items(2147732232) set_type(2147732232, 'void CreatePlrItems__Fi(int p)') del_items(2147733268) set_type(2147733268, 'unsigned char ItemSpaceOk__Fii(int i, int j)') del_items(2147733996) set_type(2147733996, 'unsigned char GetItemSpace__Fiic(int x, int y, char inum)') del_items(2147734552) set_type(2147734552, 'void GetSuperItemSpace__Fiic(int x, int y, char inum)') del_items(2147734912) set_type(2147734912, 'void GetSuperItemLoc__FiiRiT2(int x, int y, int *xx, int *yy)') del_items(2147735112) set_type(2147735112, 'void CalcItemValue__Fi(int i)') del_items(2147735296) set_type(2147735296, 'void GetBookSpell__Fii(int i, int lvl)') del_items(2147735912) set_type(2147735912, 'void GetStaffPower__FiiiUc(int i, int lvl, int bs, unsigned char onlygood)') del_items(2147736408) set_type(2147736408, 'void GetStaffSpell__FiiUc(int i, int lvl, unsigned char onlygood)') del_items(2147737100) set_type(2147737100, 'void GetItemAttrs__Fiii(int i, int idata, int lvl)') del_items(2147738456) set_type(2147738456, 'int RndPL__Fii(int param1, int param2)') del_items(2147738512) set_type(2147738512, 'int PLVal__Fiiiii(int pv, int p1, int p2, int minv, int maxv)') del_items(2147738628) set_type(2147738628, 'void SaveItemPower__Fiiiiiii(int i, int power, int param1, int param2, int minval, int maxval, int multval)') del_items(2147744248) set_type(2147744248, 'void GetItemPower__FiiilUc(int i, int minlvl, int maxlvl, long flgs, int onlygood)') del_items(2147745376) set_type(2147745376, 'void GetItemBonus__FiiiiUc(int i, int idata, int minlvl, int maxlvl, int onlygood)') del_items(2147745628) set_type(2147745628, 'void SetupItem__Fi(int i)') del_items(2147745896) set_type(2147745896, 'int RndItem__Fi(int m)') del_items(2147746476) set_type(2147746476, 'int RndUItem__Fi(int m)') del_items(2147747052) set_type(2147747052, 'int RndAllItems__Fv()') del_items(2147747424) set_type(2147747424, 'int RndTypeItems__Fii(int itype, int imid)') del_items(2147747680) set_type(2147747680, 'int CheckUnique__FiiiUc(int i, int lvl, int uper, unsigned char recreate)') del_items(2147748112) set_type(2147748112, 'void GetUniqueItem__Fii(int i, int uid)') del_items(2147748792) set_type(2147748792, 'void SpawnUnique__Fiii(int uid, int x, int y)') del_items(2147749060) set_type(2147749060, 'void ItemRndDur__Fi(int ii)') del_items(2147749204) set_type(2147749204, 'void SetupAllItems__FiiiiiUcUcUc(int ii, int idx, int iseed, int lvl, int uper, int onlygood, int recreate, int pregen)') del_items(2147749984) set_type(2147749984, 'void SpawnItem__FiiiUc(int m, int x, int y, unsigned char sendmsg)') del_items(2147750568) set_type(2147750568, 'void CreateItem__Fiii(int uid, int x, int y)') del_items(2147750872) set_type(2147750872, 'void CreateRndItem__FiiUcUcUc(int x, int y, unsigned char onlygood, unsigned char sendmsg, int delta)') del_items(2147751200) set_type(2147751200, 'void SetupAllUseful__Fiii(int ii, int iseed, int lvl)') del_items(2147751416) set_type(2147751416, 'void CreateRndUseful__FiiiUc(int pnum, int x, int y, unsigned char sendmsg)') del_items(2147751608) set_type(2147751608, 'void CreateTypeItem__FiiUciiUcUc(int x, int y, unsigned char onlygood, int itype, int imisc, int sendmsg, int delta)') del_items(2147751932) set_type(2147751932, '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(2147752424) set_type(2147752424, 'void SpawnQuestItem__Fiiiii(int itemid, int x, int y, int randarea, int selflag)') del_items(2147752980) set_type(2147752980, 'void SpawnRock__Fv()') del_items(2147753428) set_type(2147753428, 'void RespawnItem__FiUc(int i, unsigned char FlipFlag)') del_items(2147753880) set_type(2147753880, 'void DeleteItem__Fii(int ii, int i)') del_items(2147753964) set_type(2147753964, 'void ItemDoppel__Fv()') del_items(2147754164) set_type(2147754164, 'void ProcessItems__Fv()') del_items(2147754488) set_type(2147754488, 'void FreeItemGFX__Fv()') del_items(2147754496) set_type(2147754496, 'void GetItemStr__Fi(int i)') del_items(2147754896) set_type(2147754896, 'void CheckIdentify__Fii(int pnum, int cii)') del_items(2147755120) set_type(2147755120, 'void RepairItem__FP10ItemStructi(struct ItemStruct *i, int lvl)') del_items(2147755328) set_type(2147755328, 'void DoRepair__Fii(int pnum, int cii)') del_items(2147755516) set_type(2147755516, 'void RechargeItem__FP10ItemStructi(struct ItemStruct *i, int r)') del_items(2147755628) set_type(2147755628, 'void DoRecharge__Fii(int pnum, int cii)') del_items(2147755876) set_type(2147755876, 'void PrintItemOil__Fc(char IDidx)') del_items(2147756120) set_type(2147756120, 'void PrintItemPower__FcPC10ItemStruct(char plidx, struct ItemStruct *x)') del_items(2147757828) set_type(2147757828, 'void PrintUString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)') del_items(2147757836) set_type(2147757836, 'void PrintItemMisc__FPC10ItemStruct(struct ItemStruct *x)') del_items(2147758488) set_type(2147758488, 'void PrintItemDetails__FPC10ItemStruct(struct ItemStruct *x)') del_items(2147759364) set_type(2147759364, 'void PrintItemDur__FPC10ItemStruct(struct ItemStruct *x)') del_items(2147760148) set_type(2147760148, 'void CastScroll__Fi(int pnum)') del_items(2147760156) set_type(2147760156, 'void UseItem__Fiii(int p, int Mid, int spl)') del_items(2147761704) set_type(2147761704, 'unsigned char StoreStatOk__FP10ItemStruct(struct ItemStruct *h)') del_items(2147761844) set_type(2147761844, 'unsigned char PremiumItemOk__Fi(int i)') del_items(2147761968) set_type(2147761968, 'int RndPremiumItem__Fii(int minlvl, int maxlvl)') del_items(2147762232) set_type(2147762232, 'void SpawnOnePremium__Fii(int i, int plvl)') del_items(2147762764) set_type(2147762764, 'void SpawnPremium__Fi(int lvl)') del_items(2147763328) set_type(2147763328, 'void WitchBookLevel__Fi(int ii)') del_items(2147763656) set_type(2147763656, 'void SpawnStoreGold__Fv()') del_items(2147763784) set_type(2147763784, 'void RecalcStoreStats__Fv()') del_items(2147764200) set_type(2147764200, 'int ItemNoFlippy__Fv()') del_items(2147764300) set_type(2147764300, 'void CreateSpellBook__FiiiUcUc(int x, int y, int ispell, unsigned char sendmsg, int delta)') del_items(2147764700) set_type(2147764700, 'void CreateMagicArmor__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)') del_items(2147765080) set_type(2147765080, 'void CreateMagicWeapon__FiiiiUcUc(int x, int y, int imisc, int icurs, int sendmsg, int delta)') del_items(2147765460) set_type(2147765460, 'void DrawUniqueInfo__Fv()') del_items(2147765832) set_type(2147765832, 'char *MakeItemStr__FP10ItemStructUsUs(struct ItemStruct *ItemPtr, unsigned short ItemNo, unsigned short MaxLen)') del_items(2147766368) set_type(2147766368, 'int veclen2__Fii(int ix, int iy)') del_items(2147766472) set_type(2147766472, 'void set_light_bands__Fv()') del_items(2147766588) set_type(2147766588, '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(2147766696) set_type(2147766696, 'void DoLighting__Fiiii(int nXPos, int nYPos, int nRadius, int Lnum)') del_items(2147769944) set_type(2147769944, 'void DoUnLight__Fv()') del_items(2147770524) set_type(2147770524, 'void DoUnVision__Fiii(int nXPos, int nYPos, int nRadius)') del_items(2147770720) set_type(2147770720, 'void DoVision__FiiiUcUc(int nXPos, int nYPos, int nRadius, unsigned char doautomap, int visible)') del_items(2147772016) set_type(2147772016, 'void FreeLightTable__Fv()') del_items(2147772024) set_type(2147772024, 'void InitLightTable__Fv()') del_items(2147772032) set_type(2147772032, 'void MakeLightTable__Fv()') del_items(2147772040) set_type(2147772040, 'void InitLightMax__Fv()') del_items(2147772076) set_type(2147772076, 'void InitLighting__Fv()') del_items(2147772144) set_type(2147772144, 'int AddLight__Fiii(int x, int y, int r)') del_items(2147772292) set_type(2147772292, 'void AddUnLight__Fi(int i)') del_items(2147772340) set_type(2147772340, 'void ChangeLightRadius__Fii(int i, int r)') del_items(2147772384) set_type(2147772384, 'void ChangeLightXY__Fiii(int i, int x, int y)') del_items(2147772440) set_type(2147772440, 'void light_fix__Fi(int i)') del_items(2147772448) set_type(2147772448, 'void ChangeLightOff__Fiii(int i, int x, int y)') del_items(2147772504) set_type(2147772504, 'void ChangeLight__Fiiii(int i, int x, int y, int r)') del_items(2147772572) set_type(2147772572, 'void ChangeLightColour__Fii(int i, int c)') del_items(2147772620) set_type(2147772620, 'void ProcessLightList__Fv()') del_items(2147772920) set_type(2147772920, 'void SavePreLighting__Fv()') del_items(2147772928) set_type(2147772928, 'void InitVision__Fv()') del_items(2147773008) set_type(2147773008, 'int AddVision__FiiiUc(int x, int y, int r, unsigned char mine)') del_items(2147773268) set_type(2147773268, 'void ChangeVisionRadius__Fii(int id, int r)') del_items(2147773448) set_type(2147773448, 'void ChangeVisionXY__Fiii(int id, int x, int y)') del_items(2147773632) set_type(2147773632, 'void ProcessVisionList__Fv()') del_items(2147774240) set_type(2147774240, 'void FreeQuestText__Fv()') del_items(2147774248) set_type(2147774248, 'void InitQuestText__Fv()') del_items(2147774260) set_type(2147774260, 'void CalcTextSpeed__FPCc(char *Name)') del_items(2147774580) set_type(2147774580, 'void InitQTextMsg__Fi(int m)') del_items(2147774836) set_type(2147774836, 'void DrawQTextBack__Fv()') del_items(2147774948) set_type(2147774948, 'void PrintCDWait__Fv()') del_items(2147775088) set_type(2147775088, 'void DrawQTextTSK__FP4TASK(struct TASK *T)') del_items(2147775228) set_type(2147775228, 'void DrawQText__Fv()') del_items(2147776052) set_type(2147776052, 'void _GLOBAL__D_QBack()') del_items(2147776092) set_type(2147776092, 'void _GLOBAL__I_QBack()') del_items(2147776132) set_type(2147776132, 'void SetRGB__6DialogUcUcUc_addr_80047684(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2147776164) set_type(2147776164, 'void SetBorder__6Dialogi_addr_800476A4(struct Dialog *this, int Type)') del_items(2147776172) set_type(2147776172, 'void ___6Dialog_addr_800476AC(struct Dialog *this, int __in_chrg)') del_items(2147776212) set_type(2147776212, 'struct Dialog *__6Dialog_addr_800476D4(struct Dialog *this)') del_items(2147776304) set_type(2147776304, 'int GetCharWidth__5CFontc_addr_80047730(struct CFont *this, char ch)') del_items(2147776392) set_type(2147776392, 'struct FRAME_HDR *GetFr__7TextDati_addr_80047788(struct TextDat *this, int FrNum)') del_items(2147776420) set_type(2147776420, 'void nullmissile__Fiiiiiicii(int mi, int sx, int sy, int dx, int dy, int midir, int mienemy, int id, int dam)') del_items(2147776428) set_type(2147776428, 'void FuncNULL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147776436) set_type(2147776436, 'void delta_init__Fv()') del_items(2147776532) set_type(2147776532, 'void delta_kill_monster__FiUcUcUc(int mi, unsigned char x, unsigned char y, unsigned char bLevel)') del_items(2147776688) set_type(2147776688, 'void delta_monster_hp__FilUc(int mi, long hp, unsigned char bLevel)') del_items(2147776820) set_type(2147776820, 'void delta_sync_golem__FPC9TCmdGolemiUc(struct TCmdGolem *pG, int pnum, unsigned char bLevel)') del_items(2147776964) set_type(2147776964, 'void delta_leave_sync__FUc(unsigned char bLevel)') del_items(2147777776) set_type(2147777776, 'void delta_sync_object__FiUcUc(int oi, unsigned char bCmd, unsigned char bLevel)') del_items(2147777872) set_type(2147777872, 'unsigned char delta_get_item__FPC9TCmdGItemUc(struct TCmdGItem *pI, unsigned char bLevel)') del_items(2147778324) set_type(2147778324, 'void delta_put_item__FPC9TCmdPItemiiUc(struct TCmdPItem *pI, int x, int y, unsigned char bLevel)') del_items(2147778716) set_type(2147778716, 'unsigned char delta_portal_inited__Fi(int i)') del_items(2147778752) set_type(2147778752, 'unsigned char delta_quest_inited__Fi(int i)') del_items(2147778788) set_type(2147778788, 'void DeltaAddItem__Fi(int ii)') del_items(2147779320) set_type(2147779320, 'int DeltaExportData__FPc(char *Dst)') del_items(2147779368) set_type(2147779368, 'int DeltaImportData__FPc(char *Src)') del_items(2147779420) set_type(2147779420, 'void DeltaSaveLevel__Fv()') del_items(2147779656) set_type(2147779656, 'void NetSendCmd__FUcUc(unsigned char bHiPri, unsigned char bCmd)') del_items(2147779696) set_type(2147779696, 'void NetSendCmdGolem__FUcUcUcUclUc(unsigned char mx, unsigned char my, unsigned char dir, unsigned char menemy, long hp, int cl)') del_items(2147779772) set_type(2147779772, 'void NetSendCmdLoc__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)') del_items(2147779820) set_type(2147779820, 'void NetSendCmdLocParam1__FUcUcUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1)') del_items(2147779876) set_type(2147779876, 'void NetSendCmdLocParam2__FUcUcUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2)') del_items(2147779940) set_type(2147779940, 'void NetSendCmdLocParam3__FUcUcUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y, int wParam1, int wParam2, int wParam3)') del_items(2147780012) set_type(2147780012, 'void NetSendCmdParam1__FUcUcUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1)') del_items(2147780056) set_type(2147780056, 'void NetSendCmdParam2__FUcUcUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2)') del_items(2147780104) set_type(2147780104, 'void NetSendCmdParam3__FUcUcUsUsUs(unsigned char bHiPri, unsigned char bCmd, unsigned short wParam1, unsigned short wParam2, int wParam3)') del_items(2147780160) set_type(2147780160, 'void NetSendCmdQuest__FUcUc(unsigned char bHiPri, unsigned char q)') del_items(2147780276) set_type(2147780276, 'void NetSendCmdGItem__FUcUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char mast, unsigned char pnum, int ii)') del_items(2147780584) set_type(2147780584, 'void NetSendCmdGItem2__FUcUcUcUcPC9TCmdGItem(unsigned char usonly, unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)') del_items(2147780708) set_type(2147780708, 'unsigned char NetSendCmdReq2__FUcUcUcPC9TCmdGItem(unsigned char bCmd, unsigned char mast, unsigned char pnum, struct TCmdGItem *p)') del_items(2147780796) set_type(2147780796, 'void NetSendCmdExtra__FPC9TCmdGItem(struct TCmdGItem *p)') del_items(2147780900) set_type(2147780900, 'void NetSendCmdPItem__FUcUcUcUc(unsigned char bHiPri, unsigned char bCmd, unsigned char x, unsigned char y)') del_items(2147781156) set_type(2147781156, 'void NetSendCmdChItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)') del_items(2147781312) set_type(2147781312, 'void NetSendCmdDelItem__FUcUc(unsigned char bHiPri, unsigned char bLoc)') del_items(2147781360) set_type(2147781360, 'void NetSendCmdDItem__FUci(unsigned char bHiPri, int ii)') del_items(2147781636) set_type(2147781636, 'unsigned char i_own_level__Fi(int nReqLevel)') del_items(2147781644) set_type(2147781644, 'void NetSendCmdDamage__FUcUcUl(unsigned char bHiPri, unsigned char bPlr, unsigned long dwDam)') del_items(2147781696) set_type(2147781696, 'void delta_open_portal__FiUcUcUcUcUc(int pnum, unsigned char x, unsigned char y, unsigned char bLevel, int bLType, int bSetLvl)') del_items(2147781788) set_type(2147781788, 'void delta_close_portal__Fi(int pnum)') del_items(2147781852) set_type(2147781852, 'void check_update_plr__Fi(int pnum)') del_items(2147781860) set_type(2147781860, 'void On_WALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782016) set_type(2147782016, 'void On_ADDSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782064) set_type(2147782064, 'void On_ADDMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782112) set_type(2147782112, 'void On_ADDDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782160) set_type(2147782160, 'void On_ADDVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782208) set_type(2147782208, 'void On_SBSPELL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782316) set_type(2147782316, 'void On_GOTOGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782472) set_type(2147782472, 'void On_REQUESTGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147782784) set_type(2147782784, 'void On_GETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147783240) set_type(2147783240, 'void On_GOTOAGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147783396) set_type(2147783396, 'void On_REQUESTAGITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147783696) set_type(2147783696, 'void On_AGETITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147784144) set_type(2147784144, 'void On_ITEMEXTRA__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147784292) set_type(2147784292, 'void On_PUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147784700) set_type(2147784700, 'void On_SYNCPUTITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147785008) set_type(2147785008, 'void On_RESPAWNITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147785272) set_type(2147785272, 'void On_SATTACKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147785436) set_type(2147785436, 'void On_SPELLXYD__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147785692) set_type(2147785692, 'void On_SPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147785932) set_type(2147785932, 'void On_TSPELLXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147786176) set_type(2147786176, 'void On_OPOBJXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147786460) set_type(2147786460, 'void On_DISARMXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147786744) set_type(2147786744, 'void On_OPOBJT__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147786840) set_type(2147786840, 'void On_ATTACKID__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147787164) set_type(2147787164, 'void On_SPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147787388) set_type(2147787388, 'void On_SPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147787604) set_type(2147787604, 'void On_TSPELLID__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147787824) set_type(2147787824, 'void On_TSPELLPID__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788044) set_type(2147788044, 'void On_KNOCKBACK__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788180) set_type(2147788180, 'void On_RESURRECT__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788236) set_type(2147788236, 'void On_HEALOTHER__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788340) set_type(2147788340, 'void On_TALKXY__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788496) set_type(2147788496, 'void On_NEWLVL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788552) set_type(2147788552, 'void On_WARP__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788764) set_type(2147788764, 'void On_MONSTDEATH__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788864) set_type(2147788864, 'void On_KILLGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147788964) set_type(2147788964, 'void On_AWAKEGOLEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147789320) set_type(2147789320, 'void On_MONSTDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147789572) set_type(2147789572, 'void On_PLRDEAD__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147789644) set_type(2147789644, 'void On_PLRDAMAGE__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790064) set_type(2147790064, 'void On_OPENDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790208) set_type(2147790208, 'void On_CLOSEDOOR__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790352) set_type(2147790352, 'void On_OPERATEOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790496) set_type(2147790496, 'void On_PLROPOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790636) set_type(2147790636, 'void On_BREAKOBJ__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790776) set_type(2147790776, 'void On_CHANGEPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790784) set_type(2147790784, 'void On_DELPLRITEMS__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790792) set_type(2147790792, 'void On_PLRLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790800) set_type(2147790800, 'void On_DROPITEM__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147790880) set_type(2147790880, 'void On_PLAYER_JOINLEVEL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147791516) set_type(2147791516, 'void On_ACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147791908) set_type(2147791908, 'void On_DEACTIVATEPORTAL__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147791988) set_type(2147791988, 'void On_RETOWN__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792060) set_type(2147792060, 'void On_SETSTR__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792124) set_type(2147792124, 'void On_SETDEX__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792188) set_type(2147792188, 'void On_SETMAG__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792252) set_type(2147792252, 'void On_SETVIT__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792316) set_type(2147792316, 'void On_SYNCQUEST__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792388) set_type(2147792388, 'void On_ENDSHIELD__FPC4TCmdi(struct TCmd *pCmd, int pnum)') del_items(2147792664) set_type(2147792664, 'unsigned long ParseCmd__FiPC4TCmd(int pnum, struct TCmd *pCmd)') del_items(2147793720) set_type(2147793720, 'struct DLevel *GetDLevel__Fib(int LevNum, bool SetLevel)') del_items(2147793864) set_type(2147793864, 'void ReleaseDLevel__FP6DLevel(struct DLevel *Dl)') del_items(2147793920) set_type(2147793920, 'void NetSendLoPri__FPCUcUc(unsigned char *pbMsg, unsigned char bLen)') del_items(2147793964) set_type(2147793964, 'int InitLevelType__Fi(int l)') del_items(2147794040) set_type(2147794040, 'void SetupLocalCoords__Fv()') del_items(2147794412) set_type(2147794412, 'void InitNewSeed__Fl(long newseed)') del_items(2147794528) set_type(2147794528, 'unsigned char NetInit__FUcPUc(unsigned char bSinglePlayer, unsigned char *pfExitProgram)') del_items(2147795072) set_type(2147795072, 'void PostAddL1Door__Fiiii(int i, int x, int y, int ot)') del_items(2147795384) set_type(2147795384, 'void PostAddL2Door__Fiiii(int i, int x, int y, int ot)') del_items(2147795716) set_type(2147795716, 'void PostAddArmorStand__Fi(int i)') del_items(2147795852) set_type(2147795852, 'unsigned char PostTorchLocOK__Fii(int xp, int yp)') del_items(2147795916) set_type(2147795916, 'void PostAddObjLight__Fii(int i, int r)') del_items(2147796080) set_type(2147796080, 'void PostObjObjAddSwitch__Fiiii(int ot, int ox, int oy, int oi)') del_items(2147796260) set_type(2147796260, 'void InitObjectGFX__Fv()') del_items(2147796800) set_type(2147796800, 'void FreeObjectGFX__Fv()') del_items(2147796812) set_type(2147796812, 'void DeleteObject__Fii(int oi, int i)') del_items(2147796996) set_type(2147796996, 'void SetupObject__Fiiii(int i, int x, int y, int ot)') del_items(2147797640) set_type(2147797640, 'void SetObjMapRange__Fiiiiii(int i, int x1, int y1, int x2, int y2, int v)') del_items(2147797736) set_type(2147797736, 'void SetBookMsg__Fii(int i, int msg)') del_items(2147797776) set_type(2147797776, 'void AddObject__Fiii(int ot, int ox, int oy)') del_items(2147798044) set_type(2147798044, 'void PostAddObject__Fiii(int ot, int ox, int oy)') del_items(2147798312) set_type(2147798312, 'void Obj_Light__Fii(int i, int lr)') del_items(2147798840) set_type(2147798840, 'void Obj_Circle__Fi(int i)') del_items(2147799628) set_type(2147799628, 'void Obj_StopAnim__Fi(int i)') del_items(2147799728) set_type(2147799728, 'void DrawExpl__Fiiiiiccc(int sx, int sy, int f, int ot, int scale, int rtint, int gtint, int btint)') del_items(2147800460) set_type(2147800460, 'void DrawObjExpl__FP12ObjectStructiii(struct ObjectStruct *obj, int ScrX, int ScrY, int ot)') del_items(2147800572) set_type(2147800572, 'void Obj_Door__Fi(int i)') del_items(2147800976) set_type(2147800976, 'void Obj_Sarc__Fi(int i)') del_items(2147801052) set_type(2147801052, 'void ActivateTrapLine__Fii(int ttype, int tid)') del_items(2147801324) set_type(2147801324, 'void Obj_FlameTrap__Fi(int i)') del_items(2147802044) set_type(2147802044, 'void Obj_Trap__Fi(int i)') del_items(2147802892) set_type(2147802892, 'void Obj_BCrossDamage__Fi(int i)') del_items(2147803532) set_type(2147803532, 'void ProcessObjects__Fv()') del_items(2147804204) set_type(2147804204, 'void ObjSetMicro__Fiii(int dx, int dy, int pn)') del_items(2147804260) set_type(2147804260, 'void ObjSetMini__Fiii(int x, int y, int v)') del_items(2147804472) set_type(2147804472, 'void ObjL1Special__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147804480) set_type(2147804480, 'void ObjL2Special__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147804488) set_type(2147804488, 'void DoorSet__Fiii(int oi, int dx, int dy)') del_items(2147805128) set_type(2147805128, 'void RedoPlayerVision__Fv()') del_items(2147805292) set_type(2147805292, 'void OperateL1RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147806224) set_type(2147806224, 'void OperateL1LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147807208) set_type(2147807208, 'void OperateL2RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147808128) set_type(2147808128, 'void OperateL2LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147809048) set_type(2147809048, 'void OperateL3RDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147809824) set_type(2147809824, 'void OperateL3LDoor__FiiUc(int pnum, int oi, unsigned char sendflag)') del_items(2147810600) set_type(2147810600, 'void MonstCheckDoors__Fi(int m)') del_items(2147811876) set_type(2147811876, 'void PostAddL1Objs__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147812188) set_type(2147812188, 'void PostAddL2Objs__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147812464) set_type(2147812464, 'void ObjChangeMap__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147812904) set_type(2147812904, 'void DRLG_MRectTrans__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147813076) set_type(2147813076, 'void ObjChangeMapResync__Fiiii(int x1, int y1, int x2, int y2)') del_items(2147813444) set_type(2147813444, 'void OperateL1Door__FiiUc(int pnum, int i, unsigned char sendflag)') del_items(2147813784) set_type(2147813784, 'void OperateLever__Fii(int pnum, int i)') del_items(2147814276) set_type(2147814276, 'void OperateBook__Fii(int pnum, int i)') del_items(2147815512) set_type(2147815512, 'void OperateBookLever__Fii(int pnum, int i)') del_items(2147816448) set_type(2147816448, 'void OperateSChambBk__Fii(int pnum, int i)') del_items(2147816912) set_type(2147816912, 'void OperateChest__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147817872) set_type(2147817872, 'void OperateMushPatch__Fii(int pnum, int i)') del_items(2147818316) set_type(2147818316, 'void OperateInnSignChest__Fii(int pnum, int i)') del_items(2147818716) set_type(2147818716, 'void OperateSlainHero__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147819280) set_type(2147819280, 'void OperateTrapLvr__Fi(int i)') del_items(2147819744) set_type(2147819744, 'void OperateSarc__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147820184) set_type(2147820184, 'void OperateL2Door__FiiUc(int pnum, int i, unsigned char sendflag)') del_items(2147820524) set_type(2147820524, 'void OperateL3Door__FiiUc(int pnum, int i, unsigned char sendflag)') del_items(2147820864) set_type(2147820864, 'void LoadMapObjs__FPUcii(unsigned char *pMap, int startx, int starty)') del_items(2147821128) set_type(2147821128, 'void OperatePedistal__Fii(int pnum, int i)') del_items(2147821824) set_type(2147821824, 'void TryDisarm__Fii(int pnum, int i)') del_items(2147822268) set_type(2147822268, 'int ItemMiscIdIdx__Fi(int imiscid)') del_items(2147822380) set_type(2147822380, 'void OperateShrine__Fiii(int pnum, int i, int sType)') del_items(2147831688) set_type(2147831688, 'void OperateSkelBook__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147832068) set_type(2147832068, 'void OperateBookCase__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147832532) set_type(2147832532, 'void OperateDecap__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147832764) set_type(2147832764, 'void OperateArmorStand__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147833132) set_type(2147833132, 'int FindValidShrine__Fi(int i)') del_items(2147833372) set_type(2147833372, 'void OperateGoatShrine__Fiii(int pnum, int i, int sType)') del_items(2147833540) set_type(2147833540, 'void OperateCauldron__Fiii(int pnum, int i, int sType)') del_items(2147833720) set_type(2147833720, 'unsigned char OperateFountains__Fii(int pnum, int i)') del_items(2147835148) set_type(2147835148, 'void OperateWeaponRack__FiiUc(int pnum, int i, unsigned char sendmsg)') del_items(2147835576) set_type(2147835576, 'void OperateStoryBook__Fii(int pnum, int i)') del_items(2147835816) set_type(2147835816, 'void OperateLazStand__Fii(int pnum, int i)') del_items(2147836040) set_type(2147836040, 'void OperateObject__FiiUc(int pnum, int i, unsigned char TeleFlag)') del_items(2147837120) set_type(2147837120, 'void SyncOpL1Door__Fiii(int pnum, int cmd, int i)') del_items(2147837396) set_type(2147837396, 'void SyncOpL2Door__Fiii(int pnum, int cmd, int i)') del_items(2147837672) set_type(2147837672, 'void SyncOpL3Door__Fiii(int pnum, int cmd, int i)') del_items(2147837948) set_type(2147837948, 'void SyncOpObject__Fiii(int pnum, int cmd, int i)') del_items(2147838428) set_type(2147838428, 'void BreakCrux__Fi(int i)') del_items(2147838924) set_type(2147838924, 'void BreakBarrel__FiiiUcUc(int pnum, int i, int dam, unsigned char forcebreak, int sendmsg)') del_items(2147840288) set_type(2147840288, 'void BreakObject__Fii(int pnum, int oi)') del_items(2147840632) set_type(2147840632, 'void SyncBreakObj__Fii(int pnum, int oi)') del_items(2147840724) set_type(2147840724, 'void SyncL1Doors__Fi(int i)') del_items(2147841004) set_type(2147841004, 'void SyncCrux__Fi(int i)') del_items(2147841316) set_type(2147841316, 'void SyncLever__Fi(int i)') del_items(2147841440) set_type(2147841440, 'void SyncQSTLever__Fi(int i)') del_items(2147841688) set_type(2147841688, 'void SyncPedistal__Fi(int i)') del_items(2147842036) set_type(2147842036, 'void SyncL2Doors__Fi(int i)') del_items(2147842396) set_type(2147842396, 'void SyncL3Doors__Fi(int i)') del_items(2147842696) set_type(2147842696, 'void SyncObjectAnim__Fi(int o)') del_items(2147843016) set_type(2147843016, 'void GetObjectStr__Fi(int i)') del_items(2147844060) set_type(2147844060, 'void RestoreObjectLight__Fv()') del_items(2147844632) set_type(2147844632, 'int GetNumOfFrames__7TextDatii_addr_80058218(struct TextDat *this, int Creature, int Action)') del_items(2147844688) set_type(2147844688, 'struct CCreatureHdr *GetCreature__7TextDati_addr_80058250(struct TextDat *this, int Creature)') del_items(2147844808) set_type(2147844808, 'int GetNumOfCreatures__7TextDat_addr_800582C8(struct TextDat *this)') del_items(2147844828) set_type(2147844828, 'int FindPath__FPFiii_UciiiiiPc(unsigned char (*PosOk)(), int PosOkArg, int sx, int sy, int dx, int dy, char *path)') del_items(2147844836) set_type(2147844836, 'unsigned char game_2_ui_class__FPC12PlayerStruct(struct PlayerStruct *p)') del_items(2147844880) set_type(2147844880, 'void game_2_ui_player__FPC12PlayerStructP11_uiheroinfoUc(struct PlayerStruct *p, struct _uiheroinfo *heroinfo, unsigned char bHasSaveFile)') del_items(2147845060) set_type(2147845060, 'void SetupLocalPlayer__Fv()') del_items(2147845092) set_type(2147845092, 'bool ismyplr__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845152) set_type(2147845152, 'int plrind__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845172) set_type(2147845172, 'void InitPlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845204) set_type(2147845204, 'void FreePlayerGFX__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845212) set_type(2147845212, 'void NewPlrAnim__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int Peq, int numFrames, int Delay)') del_items(2147845240) set_type(2147845240, 'void ClearPlrPVars__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845276) set_type(2147845276, 'void SetPlrAnims__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147845848) set_type(2147845848, 'void CreatePlayer__FP12PlayerStructc(struct PlayerStruct *ptrplr, char c)') del_items(2147846900) set_type(2147846900, 'int CalcStatDiff__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147847004) set_type(2147847004, 'void NextPlrLevel__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147847372) set_type(2147847372, 'void AddPlrExperience__FP12PlayerStructil(struct PlayerStruct *ptrplr, int lvl, long exp)') del_items(2147847896) set_type(2147847896, 'void AddPlrMonstExper__Filc(int lvl, long exp, char pmask)') del_items(2147848028) set_type(2147848028, 'void InitPlayer__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char FirstTime)') del_items(2147849000) set_type(2147849000, 'void InitMultiView__Fv()') del_items(2147849084) set_type(2147849084, 'bool CheckLeighSolid__Fii(int x, int y)') del_items(2147849236) set_type(2147849236, 'unsigned char SolidLoc__Fii(int x, int y)') del_items(2147849372) set_type(2147849372, 'void PlrClrTrans__Fii(int x, int y)') del_items(2147849520) set_type(2147849520, 'void PlrDoTrans__Fii(int x, int y)') del_items(2147849764) set_type(2147849764, 'void SetPlayerOld__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147849784) set_type(2147849784, 'void StartStand__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)') del_items(2147849924) set_type(2147849924, 'void StartWalkStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147850024) set_type(2147850024, 'void PM_ChangeLightOff__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147850084) set_type(2147850084, 'void PM_ChangeOffset__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147850128) set_type(2147850128, 'void StartAttack__FP12PlayerStructi(struct PlayerStruct *ptrplr, int d)') del_items(2147850440) set_type(2147850440, 'void StartPlrBlock__FP12PlayerStructi(struct PlayerStruct *ptrplr, int dir)') del_items(2147850592) set_type(2147850592, 'void StartSpell__FP12PlayerStructiii(struct PlayerStruct *ptrplr, int d, int cx, int cy)') del_items(2147851004) set_type(2147851004, 'void RemovePlrFromMap__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147851292) set_type(2147851292, 'void StartPlrHit__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int dam, unsigned char forcehit)') del_items(2147851580) set_type(2147851580, 'void RespawnDeadItem__FP10ItemStructii(struct ItemStruct *itm, int x, int y)') del_items(2147851988) set_type(2147851988, 'void PlrDeadItem__FP12PlayerStructP10ItemStructii(struct PlayerStruct *ptrplr, struct ItemStruct *itm, int xx, int yy)') del_items(2147852440) set_type(2147852440, 'void StartPlayerKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)') del_items(2147853340) set_type(2147853340, 'void DropHalfPlayersGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147854436) set_type(2147854436, 'void StartPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)') del_items(2147854760) set_type(2147854760, 'void SyncPlrKill__FP12PlayerStructi(struct PlayerStruct *ptrplr, int earflag)') del_items(2147854792) set_type(2147854792, 'void RemovePlrMissiles__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147855536) set_type(2147855536, 'void InitLevelChange__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147855724) set_type(2147855724, 'void StartNewLvl__FP12PlayerStructii(struct PlayerStruct *ptrplr, int fom, int lvl)') del_items(2147856040) set_type(2147856040, 'void RestartTownLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147856184) set_type(2147856184, 'void StartWarpLvl__FP12PlayerStructi(struct PlayerStruct *ptrplr, int pidx)') del_items(2147856372) set_type(2147856372, 'int PM_DoStand__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147856380) set_type(2147856380, 'unsigned char ChkPlrOffsets__Fiiii(int wx1, int wy1, int wx2, int wy2)') del_items(2147856516) set_type(2147856516, 'int PM_DoWalk__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147857392) set_type(2147857392, 'unsigned char WeaponDur__FP12PlayerStructi(struct PlayerStruct *ptrplr, int durrnd)') del_items(2147857808) set_type(2147857808, 'unsigned char PlrHitMonst__FP12PlayerStructi(struct PlayerStruct *ptrplr, int m)') del_items(2147859392) set_type(2147859392, 'unsigned char PlrHitPlr__FP12PlayerStructc(struct PlayerStruct *ptrplr, char p)') del_items(2147860320) set_type(2147860320, 'unsigned char PlrHitObj__FP12PlayerStructii(struct PlayerStruct *ptrplr, int mx, int my)') del_items(2147860464) set_type(2147860464, 'int PM_DoAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147861372) set_type(2147861372, 'int PM_DoRangeAttack__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147861628) set_type(2147861628, 'void ShieldDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147861820) set_type(2147861820, 'int PM_DoBlock__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147861980) set_type(2147861980, 'void do_spell_anim__FiiiP12PlayerStruct(int aframe, int spell, int clss, struct PlayerStruct *ptrplr)') del_items(2147866016) set_type(2147866016, 'int PM_DoSpell__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147866896) set_type(2147866896, 'void ArmorDur__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147867148) set_type(2147867148, 'int PM_DoGotHit__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147867272) set_type(2147867272, 'int PM_DoDeath__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147867592) set_type(2147867592, 'int PM_DoNewLvl__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147867600) set_type(2147867600, 'void CheckNewPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147868640) set_type(2147868640, 'unsigned char PlrDeathModeOK__Fi(int p)') del_items(2147868736) set_type(2147868736, 'void ValidatePlayer__Fv()') del_items(2147869884) set_type(2147869884, 'void CheckCheatStats__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147870040) set_type(2147870040, 'void ProcessPlayers__Fv()') del_items(2147870852) set_type(2147870852, 'void ClrPlrPath__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147870892) set_type(2147870892, 'unsigned char PosOkPlayer__FP12PlayerStructii(struct PlayerStruct *ptrplr, int px, int py)') del_items(2147871308) set_type(2147871308, 'void MakePlrPath__FP12PlayerStructiiUc(struct PlayerStruct *ptrplr, int xx, int yy, unsigned char endspace)') del_items(2147871316) set_type(2147871316, 'void CheckPlrSpell__Fv()') del_items(2147872348) set_type(2147872348, 'void SyncInitPlrPos__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147872664) set_type(2147872664, 'void SyncInitPlr__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147872712) set_type(2147872712, 'void CheckStats__Fi(int p)') del_items(2147873116) set_type(2147873116, 'void ModifyPlrStr__Fii(int p, int l)') del_items(2147873392) set_type(2147873392, 'void ModifyPlrMag__Fii(int p, int l)') del_items(2147873620) set_type(2147873620, 'void ModifyPlrDex__Fii(int p, int l)') del_items(2147873840) set_type(2147873840, 'void ModifyPlrVit__Fii(int p, int l)') del_items(2147874052) set_type(2147874052, 'void SetPlayerHitPoints__FP12PlayerStructi(struct PlayerStruct *ptrplr, int newhp)') del_items(2147874120) set_type(2147874120, 'void SetPlrStr__Fii(int p, int v)') del_items(2147874332) set_type(2147874332, 'void SetPlrMag__Fii(int p, int v)') del_items(2147874436) set_type(2147874436, 'void SetPlrDex__Fii(int p, int v)') del_items(2147874648) set_type(2147874648, 'void SetPlrVit__Fii(int p, int v)') del_items(2147874748) set_type(2147874748, 'void InitDungMsgs__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147874756) set_type(2147874756, 'void PlayDungMsgs__Fv()') del_items(2147875564) set_type(2147875564, 'void CreatePlrItems__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147875604) set_type(2147875604, 'void WorldToOffset__FP12PlayerStructii(struct PlayerStruct *ptrplr, int x, int y)') del_items(2147875672) set_type(2147875672, 'void SetSpdbarGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)') del_items(2147875724) set_type(2147875724, 'int GetSpellLevel__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)') del_items(2147875776) set_type(2147875776, 'void BreakObject__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)') del_items(2147875828) set_type(2147875828, 'void CalcPlrInv__FP12PlayerStructUc(struct PlayerStruct *ptrplr, unsigned char bl)') del_items(2147875880) set_type(2147875880, 'void RemoveSpdBarItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)') del_items(2147875932) set_type(2147875932, 'void M_StartKill__FiP12PlayerStruct(int m, struct PlayerStruct *ptrplr)') del_items(2147875988) set_type(2147875988, 'void SetGoldCurs__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)') del_items(2147876040) set_type(2147876040, 'void HealStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876080) set_type(2147876080, 'void HealotherStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876120) set_type(2147876120, 'int CalculateGold__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876160) set_type(2147876160, 'void M_StartHit__FiP12PlayerStructi(int m, struct PlayerStruct *ptrplr, int dam)') del_items(2147876232) set_type(2147876232, 'void TeleStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876272) set_type(2147876272, 'void PhaseStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876312) set_type(2147876312, 'void RemoveInvItem__FP12PlayerStructi(struct PlayerStruct *ptrplr, int i)') del_items(2147876364) set_type(2147876364, 'void InvisStart__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876404) set_type(2147876404, 'void PhaseEnd__FP12PlayerStruct(struct PlayerStruct *ptrplr)') del_items(2147876444) set_type(2147876444, 'void OperateObject__FP12PlayerStructiUc(struct PlayerStruct *ptrplr, int oi, unsigned char bl)') del_items(2147876512) set_type(2147876512, 'void TryDisarm__FP12PlayerStructi(struct PlayerStruct *ptrplr, int oi)') del_items(2147876564) set_type(2147876564, 'void TalkToTowner__FP12PlayerStructi(struct PlayerStruct *ptrplr, int val)') del_items(2147876616) set_type(2147876616, 'unsigned char PosOkPlayer__Fiii(int pnum, int x, int y)') del_items(2147876684) set_type(2147876684, 'int CalcStatDiff__Fi(int pnum)') del_items(2147876752) set_type(2147876752, 'void StartNewLvl__Fiii(int pnum, int fom, int lvl)') del_items(2147876820) set_type(2147876820, 'void CreatePlayer__Fic(int pnum, char c)') del_items(2147876896) set_type(2147876896, 'void StartStand__Fii(int pnum, int dir)') del_items(2147876964) set_type(2147876964, 'void SetPlayerHitPoints__Fii(int pnum, int val)') del_items(2147877032) set_type(2147877032, 'void MakePlrPath__FiiiUc(int pnum, int xx, int yy, unsigned char endspace)') del_items(2147877104) set_type(2147877104, 'void StartWarpLvl__Fii(int pnum, int pidx)') del_items(2147877172) set_type(2147877172, 'void SyncPlrKill__Fii(int pnum, int earflag)') del_items(2147877240) set_type(2147877240, 'void StartPlrKill__Fii(int pnum, int val)') del_items(2147877308) set_type(2147877308, 'void NewPlrAnim__Fiiii(int pnum, int Peq, int numFrames, int Delay)') del_items(2147877376) set_type(2147877376, 'void AddPlrExperience__Fiil(int pnum, int lvl, long exp)') del_items(2147877444) set_type(2147877444, 'void StartPlrBlock__Fii(int pnum, int dir)') del_items(2147877512) set_type(2147877512, 'void StartPlrHit__FiiUc(int pnum, int dam, unsigned char forcehit)') del_items(2147877584) set_type(2147877584, 'void StartSpell__Fiiii(int pnum, int d, int cx, int cy)') del_items(2147877652) set_type(2147877652, 'void InitPlayer__FiUc(int pnum, unsigned char FirstTime)') del_items(2147877724) set_type(2147877724, 'void PM_ChangeLightOff__Fi(int pnum)') del_items(2147877792) set_type(2147877792, 'void CheckNewPath__Fi(int pnum)') del_items(2147877860) set_type(2147877860, 'void FreePlayerGFX__Fi(int pnum)') del_items(2147877928) set_type(2147877928, 'void InitDungMsgs__Fi(int pnum)') del_items(2147877996) set_type(2147877996, 'void InitPlayerGFX__Fi(int pnum)') del_items(2147878064) set_type(2147878064, 'void SyncInitPlrPos__Fi(int pnum)') del_items(2147878132) set_type(2147878132, 'void SetPlrAnims__Fi(int pnum)') del_items(2147878200) set_type(2147878200, 'void ClrPlrPath__Fi(int pnum)') del_items(2147878268) set_type(2147878268, 'void SyncInitPlr__Fi(int pnum)') del_items(2147878336) set_type(2147878336, 'void RestartTownLvl__Fi(int pnum)') del_items(2147878404) set_type(2147878404, 'void SetPlayerOld__Fi(int pnum)') del_items(2147878472) set_type(2147878472, 'void GetGoldSeed__FP12PlayerStructP10ItemStruct(struct PlayerStruct *ptrplr, struct ItemStruct *h)') del_items(2147878524) set_type(2147878524, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_8006067C(struct POLY_FT4 **Prim)') del_items(2147878648) set_type(2147878648, 'struct CPlayer *GetPlayer__7CPlayeri(int PNum)') del_items(2147878728) set_type(2147878728, 'int GetLastOtPos__C7CPlayer(struct CPlayer *this)') del_items(2147878740) set_type(2147878740, 'int GetLastScrY__C7CPlayer(struct CPlayer *this)') del_items(2147878752) set_type(2147878752, 'int GetLastScrX__C7CPlayer(struct CPlayer *this)') del_items(2147878764) set_type(2147878764, 'void TSK_Lava2Water__FP4TASK(struct TASK *T)') del_items(2147879356) set_type(2147879356, 'void CheckQuests__Fv()') del_items(2147880544) set_type(2147880544, 'unsigned char ForceQuests__Fv()') del_items(2147880964) set_type(2147880964, 'unsigned char QuestStatus__Fi(int i)') del_items(2147881112) set_type(2147881112, 'void CheckQuestKill__FiUc(int m, unsigned char sendmsg)') del_items(2147882560) set_type(2147882560, 'void SetReturnLvlPos__Fv()') del_items(2147882832) set_type(2147882832, 'void GetReturnLvlPos__Fv()') del_items(2147882916) set_type(2147882916, 'void ResyncMPQuests__Fv()') del_items(2147883232) set_type(2147883232, 'void ResyncQuests__Fv()') del_items(2147884608) set_type(2147884608, 'void PrintQLString__FiiUcPcc(int x, int y, unsigned char cjustflag, char *str, int col)') del_items(2147885164) set_type(2147885164, 'void DrawQuestLog__Fv()') del_items(2147885732) set_type(2147885732, 'void DrawQuestLogTSK__FP4TASK(struct TASK *T)') del_items(2147885860) set_type(2147885860, 'void StartQuestlog__Fv()') del_items(2147886132) set_type(2147886132, 'void QuestlogUp__Fv()') del_items(2147886220) set_type(2147886220, 'void QuestlogDown__Fv()') del_items(2147886324) set_type(2147886324, 'void QuestlogEnter__Fv()') del_items(2147886512) set_type(2147886512, 'void QuestlogESC__Fv()') del_items(2147886576) set_type(2147886576, 'void SetMultiQuest__FiiUci(int q, int s, unsigned char l, int v1)') del_items(2147886704) set_type(2147886704, 'void _GLOBAL__D_questlog()') del_items(2147886744) set_type(2147886744, 'void _GLOBAL__I_questlog()') del_items(2147886784) set_type(2147886784, 'struct TextDat *GetBlockTexDat__7CBlocks(struct CBlocks *this)') del_items(2147886796) set_type(2147886796, 'void SetRGB__6DialogUcUcUc_addr_800626CC(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2147886828) set_type(2147886828, 'void SetBack__6Dialogi_addr_800626EC(struct Dialog *this, int Type)') del_items(2147886836) set_type(2147886836, 'void SetBorder__6Dialogi_addr_800626F4(struct Dialog *this, int Type)') del_items(2147886844) set_type(2147886844, 'void ___6Dialog_addr_800626FC(struct Dialog *this, int __in_chrg)') del_items(2147886884) set_type(2147886884, 'struct Dialog *__6Dialog_addr_80062724(struct Dialog *this)') del_items(2147886976) set_type(2147886976, 'struct PAL *GetPal__7TextDati_addr_80062780(struct TextDat *this, int PalNum)') del_items(2147887004) set_type(2147887004, 'struct FRAME_HDR *GetFr__7TextDati_addr_8006279C(struct TextDat *this, int FrNum)') del_items(2147887032) set_type(2147887032, 'void DrawView__Fii(int StartX, int StartY)') del_items(2147887452) set_type(2147887452, 'void DrawAndBlit__Fv()') del_items(2147887700) set_type(2147887700, 'void FreeStoreMem__Fv()') del_items(2147887708) set_type(2147887708, 'void DrawSTextBack__Fv()') del_items(2147887820) set_type(2147887820, 'void PrintSString__FiiUcPcci(int x, int y, unsigned char cjustflag, char *str, int col, int val)') del_items(2147888732) set_type(2147888732, 'void DrawSLine__Fi(int y)') del_items(2147888880) set_type(2147888880, 'void ClearSText__Fii(int s, int e)') del_items(2147889032) set_type(2147889032, 'void AddSLine__Fi(int y)') del_items(2147889112) set_type(2147889112, 'void AddSTextVal__Fii(int y, int val)') del_items(2147889152) set_type(2147889152, 'void AddSText__FiiUcPccUc(int x, int y, unsigned char j, char *str, int clr, int sel)') del_items(2147889332) set_type(2147889332, 'void PrintStoreItem__FPC10ItemStructic(struct ItemStruct *x, int l, char iclr)') del_items(2147890424) set_type(2147890424, 'void StoreAutoPlace__Fv()') del_items(2147891964) set_type(2147891964, 'void S_StartSmith__Fv()') del_items(2147892356) set_type(2147892356, 'void S_ScrollSBuy__Fi(int idx)') del_items(2147892796) set_type(2147892796, 'void S_StartSBuy__Fv()') del_items(2147893092) set_type(2147893092, 'void S_ScrollSPBuy__Fi(int idx)') del_items(2147893560) set_type(2147893560, 'unsigned char S_StartSPBuy__Fv()') del_items(2147893888) set_type(2147893888, 'unsigned char SmithSellOk__Fi(int i)') del_items(2147894112) set_type(2147894112, 'void S_ScrollSSell__Fi(int idx)') del_items(2147894624) set_type(2147894624, 'void S_StartSSell__Fv()') del_items(2147895640) set_type(2147895640, 'unsigned char SmithRepairOk__Fi(int i)') del_items(2147895800) set_type(2147895800, 'void AddStoreHoldRepair__FP10ItemStructi(struct ItemStruct *itm, int i)') del_items(2147896276) set_type(2147896276, 'void S_StartSRepair__Fv()') del_items(2147897424) set_type(2147897424, 'void S_StartWitch__Fv()') del_items(2147897744) set_type(2147897744, 'void S_ScrollWBuy__Fi(int idx)') del_items(2147898184) set_type(2147898184, 'void S_StartWBuy__Fv()') del_items(2147898472) set_type(2147898472, 'unsigned char WitchSellOk__Fi(int i)') del_items(2147898748) set_type(2147898748, 'void S_StartWSell__Fv()') del_items(2147900296) set_type(2147900296, 'unsigned char WitchRechargeOk__Fi(int i)') del_items(2147900428) set_type(2147900428, 'void AddStoreHoldRecharge__FG10ItemStructi(struct ItemStruct itm, int i)') del_items(2147900808) set_type(2147900808, 'void S_StartWRecharge__Fv()') del_items(2147901796) set_type(2147901796, 'void S_StartNoMoney__Fv()') del_items(2147901900) set_type(2147901900, 'void S_StartNoRoom__Fv()') del_items(2147901996) set_type(2147901996, 'void S_StartConfirm__Fv()') del_items(2147902788) set_type(2147902788, 'void S_StartBoy__Fv()') del_items(2147903188) set_type(2147903188, 'void S_StartBBoy__Fv()') del_items(2147903528) set_type(2147903528, 'void S_StartHealer__Fv()') del_items(2147903980) set_type(2147903980, 'void S_ScrollHBuy__Fi(int idx)') del_items(2147904344) set_type(2147904344, 'void S_StartHBuy__Fv()') del_items(2147904624) set_type(2147904624, 'void S_StartStory__Fv()') del_items(2147904864) set_type(2147904864, 'unsigned char IdItemOk__FP10ItemStruct(struct ItemStruct *i)') del_items(2147904916) set_type(2147904916, 'void AddStoreHoldId__FG10ItemStructi(struct ItemStruct itm, int i)') del_items(2147905124) set_type(2147905124, 'void S_StartSIdentify__Fv()') del_items(2147907576) set_type(2147907576, 'void S_StartIdShow__Fv()') del_items(2147907964) set_type(2147907964, 'void S_StartTalk__Fv()') del_items(2147908524) set_type(2147908524, 'void S_StartTavern__Fv()') del_items(2147908772) set_type(2147908772, 'void S_StartBarMaid__Fv()') del_items(2147908984) set_type(2147908984, 'void S_StartDrunk__Fv()') del_items(2147909196) set_type(2147909196, 'void StartStore__Fc(char s)') del_items(2147909940) set_type(2147909940, 'void DrawSText__Fv()') del_items(2147910004) set_type(2147910004, 'void DrawSTextTSK__FP4TASK(struct TASK *T)') del_items(2147910204) set_type(2147910204, 'void DoThatDrawSText__Fv()') del_items(2147910632) set_type(2147910632, 'void STextESC__Fv()') del_items(2147911028) set_type(2147911028, 'void STextUp__Fv()') del_items(2147911420) set_type(2147911420, 'void STextDown__Fv()') del_items(2147911828) set_type(2147911828, 'void S_SmithEnter__Fv()') del_items(2147912040) set_type(2147912040, 'void SetGoldCurs__Fii(int pnum, int i)') del_items(2147912160) set_type(2147912160, 'void SetSpdbarGoldCurs__Fii(int pnum, int i)') del_items(2147912280) set_type(2147912280, 'void TakePlrsMoney__Fl(long cost)') del_items(2147913308) set_type(2147913308, 'void SmithBuyItem__Fv()') del_items(2147913776) set_type(2147913776, 'void S_SBuyEnter__Fv()') del_items(2147914232) set_type(2147914232, 'void SmithBuyPItem__Fv()') del_items(2147914592) set_type(2147914592, 'void S_SPBuyEnter__Fv()') del_items(2147915120) set_type(2147915120, 'unsigned char StoreGoldFit__Fi(int idx)') del_items(2147915784) set_type(2147915784, 'void PlaceStoreGold__Fl(long v)') del_items(2147916368) set_type(2147916368, 'void StoreSellItem__Fv()') del_items(2147917088) set_type(2147917088, 'void S_SSellEnter__Fv()') del_items(2147917324) set_type(2147917324, 'void SmithRepairItem__Fv()') del_items(2147917892) set_type(2147917892, 'void S_SRepairEnter__Fv()') del_items(2147918208) set_type(2147918208, 'void S_WitchEnter__Fv()') del_items(2147918384) set_type(2147918384, 'void WitchBuyItem__Fv()') del_items(2147918868) set_type(2147918868, 'void S_WBuyEnter__Fv()') del_items(2147919324) set_type(2147919324, 'void S_WSellEnter__Fv()') del_items(2147919560) set_type(2147919560, 'void WitchRechargeItem__Fv()') del_items(2147919904) set_type(2147919904, 'void S_WRechargeEnter__Fv()') del_items(2147920220) set_type(2147920220, 'void S_BoyEnter__Fv()') del_items(2147920524) set_type(2147920524, 'void BoyBuyItem__Fv()') del_items(2147920648) set_type(2147920648, 'void HealerBuyItem__Fv()') del_items(2147921276) set_type(2147921276, 'void S_BBuyEnter__Fv()') del_items(2147921728) set_type(2147921728, 'void StoryIdItem__Fv()') del_items(2147922488) set_type(2147922488, 'void S_ConfirmEnter__Fv()') del_items(2147922772) set_type(2147922772, 'void S_HealerEnter__Fv()') del_items(2147922924) set_type(2147922924, 'void S_HBuyEnter__Fv()') del_items(2147923412) set_type(2147923412, 'void S_StoryEnter__Fv()') del_items(2147923564) set_type(2147923564, 'void S_SIDEnter__Fv()') del_items(2147923912) set_type(2147923912, 'void S_TalkEnter__Fv()') del_items(2147924416) set_type(2147924416, 'void S_TavernEnter__Fv()') del_items(2147924528) set_type(2147924528, 'void S_BarmaidEnter__Fv()') del_items(2147924640) set_type(2147924640, 'void S_DrunkEnter__Fv()') del_items(2147924752) set_type(2147924752, 'void STextEnter__Fv()') del_items(2147925264) set_type(2147925264, 'void CheckStoreBtn__Fv()') del_items(2147925524) set_type(2147925524, 'void ReleaseStoreBtn__Fv()') del_items(2147925544) set_type(2147925544, 'void _GLOBAL__D_pSTextBoxCels()') del_items(2147925584) set_type(2147925584, 'void _GLOBAL__I_pSTextBoxCels()') del_items(2147925624) set_type(2147925624, 'unsigned short GetDown__C4CPad_addr_8006BE78(struct CPad *this)') del_items(2147925664) set_type(2147925664, 'void SetRGB__6DialogUcUcUc_addr_8006BEA0(struct Dialog *this, unsigned char R, unsigned char G, unsigned char B)') del_items(2147925696) set_type(2147925696, 'void SetBorder__6Dialogi_addr_8006BEC0(struct Dialog *this, int Type)') del_items(2147925704) set_type(2147925704, 'void ___6Dialog_addr_8006BEC8(struct Dialog *this, int __in_chrg)') del_items(2147925744) set_type(2147925744, 'struct Dialog *__6Dialog_addr_8006BEF0(struct Dialog *this)') del_items(2147925836) set_type(2147925836, 'void T_DrawView__Fii(int StartX, int StartY)') del_items(2147926208) set_type(2147926208, 'void T_FillSector__FPUcT0iiiib(unsigned char *P3Tiles, unsigned char *pSector, int xi, int yi, int w, int h, bool AddSec)') del_items(2147926712) set_type(2147926712, 'void T_FillTile__FPUciii(unsigned char *P3Tiles, int xx, int yy, int t)') del_items(2147926952) set_type(2147926952, 'void T_Pass3__Fv()') del_items(2147927940) set_type(2147927940, 'void CreateTown__Fi(int entry)') del_items(2147928300) set_type(2147928300, 'unsigned char *GRL_LoadFileInMemSig__FPCcPUl(char *Name, unsigned long *Len)') del_items(2147928528) set_type(2147928528, 'void GRL_StripDir__FPcPCc(char *Dest, char *Src)') del_items(2147928680) set_type(2147928680, 'unsigned char ForceTownTrig__Fv()') del_items(2147929472) set_type(2147929472, 'unsigned char ForceL1Trig__Fv()') del_items(2147930160) set_type(2147930160, 'unsigned char ForceL2Trig__Fv()') del_items(2147931280) set_type(2147931280, 'unsigned char ForceL3Trig__Fv()') del_items(2147932428) set_type(2147932428, 'unsigned char ForceL4Trig__Fv()') del_items(2147933720) set_type(2147933720, 'void Freeupstairs__Fv()') del_items(2147933912) set_type(2147933912, 'unsigned char ForceSKingTrig__Fv()') del_items(2147934156) set_type(2147934156, 'unsigned char ForceSChambTrig__Fv()') del_items(2147934400) set_type(2147934400, 'unsigned char ForcePWaterTrig__Fv()') del_items(2147934644) set_type(2147934644, 'void CheckTrigForce__Fv()') del_items(2147935440) set_type(2147935440, 'void FadeGameOut__Fv()') del_items(2147935596) set_type(2147935596, 'bool IsTrigger__Fii(int x, int y)') del_items(2147935696) set_type(2147935696, 'void CheckTriggers__Fi(int pnum)') del_items(2147937012) set_type(2147937012, 'int GetManaAmount__Fii(int id, int sn)') del_items(2147937684) set_type(2147937684, 'void UseMana__Fii(int id, int sn)') del_items(2147937984) set_type(2147937984, 'unsigned char CheckSpell__FiicUc(int id, int sn, char st, unsigned char manaonly)') del_items(2147938136) set_type(2147938136, 'void CastSpell__Fiiiiiiii(int id, int spl, int sx, int sy, int dx, int dy, int caster, int spllvl)') del_items(2147938740) set_type(2147938740, 'void DoResurrect__Fii(int pnum, int rid)') del_items(2147939408) set_type(2147939408, 'void DoHealOther__Fii(int pnum, int rid)') del_items(2147939988) set_type(2147939988, 'void snd_update__FUc(unsigned char bStopAll)') del_items(2147939996) set_type(2147939996, 'void snd_get_volume__FPCcPl(char *pszKey, long *plVolume)') del_items(2147940100) set_type(2147940100, 'void snd_stop_snd__FP4TSnd(struct TSnd *pSnd)') del_items(2147940132) set_type(2147940132, 'void snd_play_snd__FP4TSFXll(struct TSFX *pSnd, long lVolume, long lPan)') del_items(2147940244) set_type(2147940244, 'void snd_play_msnd__FUsll(unsigned short pszName, long lVolume, long lPan)') del_items(2147940400) set_type(2147940400, 'void snd_init__FUl(unsigned long hWnd)') del_items(2147940504) set_type(2147940504, 'void music_stop__Fv()') del_items(2147940580) set_type(2147940580, 'void music_fade__Fv()') del_items(2147940644) set_type(2147940644, 'void music_start__Fi(int nTrack)') del_items(2147940776) set_type(2147940776, 'void flyabout__7GamePad(struct GamePad *this)') del_items(2147941936) set_type(2147941936, 'void CloseInvChr__Fv()') del_items(2147942040) set_type(2147942040, 'void WorldToOffset__Fiii(int pnum, int WorldX, int WorldY)') del_items(2147942204) set_type(2147942204, 'char pad_UpIsUp__Fi(int pval)') del_items(2147942316) set_type(2147942316, 'char pad_UpIsUpRight__Fi(int pval)') del_items(2147942428) set_type(2147942428, 'struct GamePad *__7GamePadi(struct GamePad *this, int player_num)') del_items(2147942728) set_type(2147942728, 'void SetMoveStyle__7GamePadc(struct GamePad *this, char style_num)') del_items(2147942792) set_type(2147942792, 'void SetDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())') del_items(2147942860) set_type(2147942860, 'void SetComboDownButton__7GamePadiPFi_v(struct GamePad *this, int pad_val, void (*func)())') del_items(2147942928) set_type(2147942928, 'void SetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)') del_items(2147943552) set_type(2147943552, 'void GetAllButtons__7GamePadP11KEY_ASSIGNS(struct GamePad *this, struct KEY_ASSIGNS *actions)') del_items(2147944000) set_type(2147944000, 'int GetActionButton__7GamePadPFi_v(struct GamePad *this, void (*func)())') del_items(2147944092) set_type(2147944092, 'void SetUpAction__7GamePadPFi_vT1(struct GamePad *this, void (*func)(), void (*upfunc)())') del_items(2147944152) set_type(2147944152, 'void RunFunc__7GamePadi(struct GamePad *this, int pad)') del_items(2147944312) set_type(2147944312, 'void ButtonDown__7GamePadi(struct GamePad *this, int button)') del_items(2147945308) set_type(2147945308, 'void TestButtons__7GamePad(struct GamePad *this)') del_items(2147945520) set_type(2147945520, 'int CheckDirs__7GamePadi(struct GamePad *this, int dir)') del_items(2147945800) set_type(2147945800, 'int CheckSide__7GamePadi(struct GamePad *this, int dir)') del_items(2147945868) set_type(2147945868, 'int CheckBodge__7GamePadi(struct GamePad *this, int dir)') del_items(2147946624) set_type(2147946624, 'void walk__7GamePadc(struct GamePad *this, char cmd)') del_items(2147947344) set_type(2147947344, 'void check_around_player__7GamePad(struct GamePad *this)') del_items(2147947896) set_type(2147947896, 'void show_combos__7GamePad(struct GamePad *this)') del_items(2147948332) set_type(2147948332, 'void Handle__7GamePad(struct GamePad *this)') del_items(2147950024) set_type(2147950024, 'void GamePadTask__FP4TASK(struct TASK *T)') del_items(2147950528) set_type(2147950528, 'void PostGamePad__Fiiii(int val, int var1, int var2, int var3)') del_items(2147950704) set_type(2147950704, 'void Init_GamePad__Fv()') del_items(2147950752) set_type(2147950752, 'void InitGamePadVars__Fv()') del_items(2147950872) set_type(2147950872, 'void MoveToScrollTarget__7CBlocks_addr_80072118(struct CBlocks *this)') del_items(2147950892) set_type(2147950892, 'unsigned short GetDown__C4CPad_addr_8007212C(struct CPad *this)') del_items(2147950932) set_type(2147950932, 'unsigned short GetUp__C4CPad_addr_80072154(struct CPad *this)') del_items(2147950972) set_type(2147950972, 'unsigned short GetCur__C4CPad_addr_8007217C(struct CPad *this)') del_items(2147951012) set_type(2147951012, 'void DoGameTestStuff__Fv()') del_items(2147951056) set_type(2147951056, 'void DoInitGameStuff__Fv()') del_items(2147951108) set_type(2147951108, 'void *SMemAlloc(unsigned long bytes, char *filename, int linenumber, unsigned long flags)') del_items(2147951140) set_type(2147951140, 'unsigned char SMemFree(void *ptr, char *filename, int linenumber, unsigned long flags)') del_items(2147951172) set_type(2147951172, 'void GRL_InitGwin__Fv()') del_items(2147951184) set_type(2147951184, 'unsigned long (*GRL_SetWindowProc__FPFUlUilUl_Ul(unsigned long (*NewProc)()))()') del_items(2147951200) set_type(2147951200, 'void GRL_CallWindowProc__FUlUilUl(unsigned long hw, unsigned int msg, long wp, unsigned long lp)') del_items(2147951240) set_type(2147951240, 'unsigned char GRL_PostMessage__FUlUilUl(unsigned long hWnd, unsigned int Msg, long wParam, unsigned long lParam)') del_items(2147951404) set_type(2147951404, 'char *Msg2Txt__Fi(int Msg)') del_items(2147951476) set_type(2147951476, 'enum LANG_TYPE LANG_GetLang__Fv()') del_items(2147951488) set_type(2147951488, 'void LANG_SetDb__F10LANG_DB_NO(enum LANG_DB_NO NewLangDbNo)') del_items(2147951960) set_type(2147951960, 'char *GetStr__Fi(int StrId)') del_items(2147952064) set_type(2147952064, 'void LANG_SetLang__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)') del_items(2147952324) set_type(2147952324, 'void DumpCurrentText__Fv()') del_items(2147952412) set_type(2147952412, 'int CalcNumOfStrings__FPPc(char **TPtr)') del_items(2147952424) set_type(2147952424, 'void GetLangFileName__F9LANG_TYPEPc(enum LANG_TYPE NewLanguageType, char *Dest)') del_items(2147952712) set_type(2147952712, 'char *GetLangFileNameExt__F9LANG_TYPE(enum LANG_TYPE NewLanguageType)') del_items(2147952840) set_type(2147952840, 'void 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(2147954176) set_type(2147954176, 'void FuncTOWN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147954560) set_type(2147954560, 'void FuncRPORTAL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147954912) set_type(2147954912, 'void FuncFIREBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955064) set_type(2147955064, 'void FuncHBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955240) set_type(2147955240, 'void FuncLIGHTNING__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955340) set_type(2147955340, 'void FuncGUARDIAN__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955620) set_type(2147955620, 'void FuncFIREWALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955772) set_type(2147955772, 'void FuncFIREMOVE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147955924) set_type(2147955924, 'void FuncFLAME__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147956028) set_type(2147956028, 'void FuncARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147956176) set_type(2147956176, 'void FuncFARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147956400) set_type(2147956400, 'void FuncLARROW__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147956616) set_type(2147956616, 'void FuncMAGMABALL__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147956760) set_type(2147956760, 'void FuncBONESPIRIT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147957044) set_type(2147957044, 'void FuncACID__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147957200) set_type(2147957200, 'void FuncACIDSPLAT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147957304) set_type(2147957304, 'void FuncACIDPUD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147957408) set_type(2147957408, 'void FuncFLARE__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147957716) set_type(2147957716, 'void FuncFLAREXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958040) set_type(2147958040, 'void FuncCBOLT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958144) set_type(2147958144, 'void FuncBOOM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958232) set_type(2147958232, 'void FuncELEMENT__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958436) set_type(2147958436, 'void FuncMISEXP__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958536) set_type(2147958536, 'void FuncRHINO__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147958544) set_type(2147958544, 'void FuncFLASH__FP13MissileStructiii(struct MissileStruct *Ms, int x, int y, int OtPos)') del_items(2147959864) set_type(2147959864, 'void FuncMANASHIELD__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147960024) set_type(2147960024, 'void FuncFLASH2__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147960032) set_type(2147960032, 'void FuncRESURRECTBEAM__FP13MissileStructiii(struct MissileStruct *Ms, int ScrX, int ScrY, int OtPos)') del_items(2147960084) set_type(2147960084, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_80074514(struct POLY_FT4 **Prim)') del_items(2147960208) set_type(2147960208, 'struct CPlayer *GetPlayer__7CPlayeri_addr_80074590(int PNum)') del_items(2147960288) set_type(2147960288, 'int GetLastOtPos__C7CPlayer_addr_800745E0(struct CPlayer *this)') del_items(2147960300) set_type(2147960300, 'int GetLastScrY__C7CPlayer_addr_800745EC(struct CPlayer *this)') del_items(2147960312) set_type(2147960312, 'int GetLastScrX__C7CPlayer_addr_800745F8(struct CPlayer *this)') del_items(2147960324) set_type(2147960324, 'int GetNumOfFrames__7TextDat_addr_80074604(struct TextDat *this)') del_items(2147960344) set_type(2147960344, 'struct FRAME_HDR *GetFr__7TextDati_addr_80074618(struct TextDat *this, int FrNum)') del_items(2147960372) set_type(2147960372, 'void ML_Init__Fv()') del_items(2147960428) set_type(2147960428, 'int ML_GetList__Fi(int Level)') del_items(2147960556) set_type(2147960556, 'int ML_SetRandomList__Fi(int Level)') del_items(2147960708) set_type(2147960708, 'int ML_SetList__Fii(int Level, int List)') del_items(2147960884) set_type(2147960884, 'int ML_GetPresetMonsters__FiPiUl(int currlevel, int *typelist, unsigned long QuestsNeededMask)') del_items(2147961328) set_type(2147961328, 'struct POLY_FT4 *DefaultObjPrint__FP12ObjectStructiiP7TextDatiii(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos, int XOffSet, int YOffSet)') del_items(2147961732) set_type(2147961732, 'struct POLY_FT4 *LightObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147961916) set_type(2147961916, 'struct POLY_FT4 *DoorObjPrint__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147962576) set_type(2147962576, 'void DrawLightSpark__Fiii(int xo, int yo, int ot)') del_items(2147962792) set_type(2147962792, 'struct POLY_FT4 *PrintOBJ_L1LIGHT__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147962928) set_type(2147962928, 'struct POLY_FT4 *PrintOBJ_SKFIRE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147962972) set_type(2147962972, 'struct POLY_FT4 *PrintOBJ_LEVER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963016) set_type(2147963016, 'struct POLY_FT4 *PrintOBJ_CHEST1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963060) set_type(2147963060, 'struct POLY_FT4 *PrintOBJ_CHEST2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963104) set_type(2147963104, 'struct POLY_FT4 *PrintOBJ_CHEST3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963148) set_type(2147963148, 'struct POLY_FT4 *PrintOBJ_CANDLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963184) set_type(2147963184, 'struct POLY_FT4 *PrintOBJ_CANDLE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963220) set_type(2147963220, 'struct POLY_FT4 *PrintOBJ_CANDLEO__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963264) set_type(2147963264, 'struct POLY_FT4 *PrintOBJ_BANNERL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963308) set_type(2147963308, 'struct POLY_FT4 *PrintOBJ_BANNERM__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963352) set_type(2147963352, 'struct POLY_FT4 *PrintOBJ_BANNERR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963396) set_type(2147963396, 'struct POLY_FT4 *PrintOBJ_SKPILE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963440) set_type(2147963440, 'struct POLY_FT4 *PrintOBJ_SKSTICK1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963484) set_type(2147963484, 'struct POLY_FT4 *PrintOBJ_SKSTICK2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963528) set_type(2147963528, 'struct POLY_FT4 *PrintOBJ_SKSTICK3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963572) set_type(2147963572, 'struct POLY_FT4 *PrintOBJ_SKSTICK4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963616) set_type(2147963616, 'struct POLY_FT4 *PrintOBJ_SKSTICK5__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963660) set_type(2147963660, 'struct POLY_FT4 *PrintOBJ_CRUX1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963704) set_type(2147963704, 'struct POLY_FT4 *PrintOBJ_CRUX2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963748) set_type(2147963748, 'struct POLY_FT4 *PrintOBJ_CRUX3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963792) set_type(2147963792, 'struct POLY_FT4 *PrintOBJ_STAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963836) set_type(2147963836, 'struct POLY_FT4 *PrintOBJ_ANGEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963880) set_type(2147963880, 'struct POLY_FT4 *PrintOBJ_BOOK2L__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963924) set_type(2147963924, 'struct POLY_FT4 *PrintOBJ_BCROSS__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147963968) set_type(2147963968, 'struct POLY_FT4 *PrintOBJ_NUDEW2R__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964012) set_type(2147964012, 'struct POLY_FT4 *PrintOBJ_SWITCHSKL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964056) set_type(2147964056, 'struct POLY_FT4 *PrintOBJ_TNUDEM1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964100) set_type(2147964100, 'struct POLY_FT4 *PrintOBJ_TNUDEM2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964144) set_type(2147964144, 'struct POLY_FT4 *PrintOBJ_TNUDEM3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964188) set_type(2147964188, 'struct POLY_FT4 *PrintOBJ_TNUDEM4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964232) set_type(2147964232, 'struct POLY_FT4 *PrintOBJ_TNUDEW1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964276) set_type(2147964276, 'struct POLY_FT4 *PrintOBJ_TNUDEW2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964320) set_type(2147964320, 'struct POLY_FT4 *PrintOBJ_TNUDEW3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964364) set_type(2147964364, 'struct POLY_FT4 *PrintOBJ_TORTURE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964408) set_type(2147964408, 'struct POLY_FT4 *PrintOBJ_TORTURE2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964452) set_type(2147964452, 'struct POLY_FT4 *PrintOBJ_TORTURE3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964496) set_type(2147964496, 'struct POLY_FT4 *PrintOBJ_TORTURE4__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964540) set_type(2147964540, 'struct POLY_FT4 *PrintOBJ_TORTURE5__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964584) set_type(2147964584, 'struct POLY_FT4 *PrintOBJ_BOOK2R__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964628) set_type(2147964628, 'void PrintTorchStick__Fiiii(int x, int y, int f, int OtPos)') del_items(2147964776) set_type(2147964776, 'struct POLY_FT4 *PrintOBJ_TORCHL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147964920) set_type(2147964920, 'struct POLY_FT4 *PrintOBJ_TORCHR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965064) set_type(2147965064, 'struct POLY_FT4 *PrintOBJ_TORCHL2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965208) set_type(2147965208, 'struct POLY_FT4 *PrintOBJ_TORCHR2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965352) set_type(2147965352, 'struct POLY_FT4 *PrintOBJ_SARC__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965396) set_type(2147965396, 'struct POLY_FT4 *PrintOBJ_FLAMEHOLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965440) set_type(2147965440, 'struct POLY_FT4 *PrintOBJ_FLAMELVR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965484) set_type(2147965484, 'struct POLY_FT4 *PrintOBJ_WATER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965528) set_type(2147965528, 'struct POLY_FT4 *PrintOBJ_BOOKLVR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965572) set_type(2147965572, 'struct POLY_FT4 *PrintOBJ_TRAPL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965616) set_type(2147965616, 'struct POLY_FT4 *PrintOBJ_TRAPR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965660) set_type(2147965660, 'struct POLY_FT4 *PrintOBJ_BOOKSHELF__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965704) set_type(2147965704, 'struct POLY_FT4 *PrintOBJ_WEAPRACK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965748) set_type(2147965748, 'struct POLY_FT4 *PrintOBJ_BARREL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147965792) set_type(2147965792, 'struct POLY_FT4 *PrintOBJ_BARRELEX__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966136) set_type(2147966136, 'struct POLY_FT4 *PrintOBJ_SHRINEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966340) set_type(2147966340, 'struct POLY_FT4 *PrintOBJ_SHRINER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966544) set_type(2147966544, 'struct POLY_FT4 *PrintOBJ_SKELBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966588) set_type(2147966588, 'struct POLY_FT4 *PrintOBJ_BOOKCASEL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966632) set_type(2147966632, 'struct POLY_FT4 *PrintOBJ_BOOKCASER__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966676) set_type(2147966676, 'struct POLY_FT4 *PrintOBJ_BOOKSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966720) set_type(2147966720, 'struct POLY_FT4 *PrintOBJ_BOOKCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966756) set_type(2147966756, 'struct POLY_FT4 *PrintOBJ_BLOODFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966800) set_type(2147966800, 'struct POLY_FT4 *PrintOBJ_DECAP__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966844) set_type(2147966844, 'struct POLY_FT4 *PrintOBJ_TCHEST1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966888) set_type(2147966888, 'struct POLY_FT4 *PrintOBJ_TCHEST2__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966932) set_type(2147966932, 'struct POLY_FT4 *PrintOBJ_TCHEST3__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147966976) set_type(2147966976, 'struct POLY_FT4 *PrintOBJ_BLINDBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967020) set_type(2147967020, 'struct POLY_FT4 *PrintOBJ_BLOODBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967064) set_type(2147967064, 'struct POLY_FT4 *PrintOBJ_PEDISTAL__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967108) set_type(2147967108, 'struct POLY_FT4 *PrintOBJ_PURIFYINGFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967152) set_type(2147967152, 'struct POLY_FT4 *PrintOBJ_ARMORSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967196) set_type(2147967196, 'struct POLY_FT4 *PrintOBJ_ARMORSTANDN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967240) set_type(2147967240, 'struct POLY_FT4 *PrintOBJ_GOATSHRINE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967284) set_type(2147967284, 'struct POLY_FT4 *PrintOBJ_CAULDRON__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967328) set_type(2147967328, 'struct POLY_FT4 *PrintOBJ_MURKYFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967372) set_type(2147967372, 'struct POLY_FT4 *PrintOBJ_TEARFTN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967416) set_type(2147967416, 'struct POLY_FT4 *PrintOBJ_ALTBOY__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967460) set_type(2147967460, 'struct POLY_FT4 *PrintOBJ_MCIRCLE1__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967864) set_type(2147967864, 'struct POLY_FT4 *PrintOBJ_STORYBOOK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967908) set_type(2147967908, 'struct POLY_FT4 *PrintOBJ_STORYCANDLE__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967944) set_type(2147967944, 'struct POLY_FT4 *PrintOBJ_STEELTOME__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147967988) set_type(2147967988, 'struct POLY_FT4 *PrintOBJ_WARARMOR__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968032) set_type(2147968032, 'struct POLY_FT4 *PrintOBJ_WARWEAP__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968076) set_type(2147968076, 'struct POLY_FT4 *PrintOBJ_TBCROSS__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968120) set_type(2147968120, 'struct POLY_FT4 *PrintOBJ_WEAPONRACK__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968164) set_type(2147968164, 'struct POLY_FT4 *PrintOBJ_WEAPONRACKN__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968208) set_type(2147968208, 'struct POLY_FT4 *PrintOBJ_MUSHPATCH__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968252) set_type(2147968252, 'struct POLY_FT4 *PrintOBJ_LAZSTAND__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968296) set_type(2147968296, 'struct POLY_FT4 *PrintOBJ_SLAINHERO__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968340) set_type(2147968340, 'struct POLY_FT4 *PrintOBJ_SIGNCHEST__FP12ObjectStructiiP7TextDati(struct ObjectStruct *OStr, int ScrX, int ScrY, struct TextDat *ObjDat, int OtPos)') del_items(2147968384) set_type(2147968384, 'struct POLY_FT4 *PRIM_GetCopy__FP8POLY_FT4_addr_80076580(struct POLY_FT4 *Prim)') del_items(2147968444) set_type(2147968444, 'void PRIM_CopyPrim__FP8POLY_FT4T0_addr_800765BC(struct POLY_FT4 *Dest, struct POLY_FT4 *Source)') del_items(2147968484) set_type(2147968484, 'void PRIM_GetPrim__FPP8POLY_FT4_addr_800765E4(struct POLY_FT4 **Prim)') del_items(2147968608) set_type(2147968608, 'struct TextDat *GetBlockTexDat__7CBlocks_addr_80076660(struct CBlocks *this)') del_items(2147968620) set_type(2147968620, 'int GetNumOfFrames__7TextDatii_addr_8007666C(struct TextDat *this, int Creature, int Action)') del_items(2147968676) set_type(2147968676, 'struct CCreatureHdr *GetCreature__7TextDati_addr_800766A4(struct TextDat *this, int Creature)') del_items(2147968796) set_type(2147968796, 'int GetNumOfCreatures__7TextDat_addr_8007671C(struct TextDat *this)') del_items(2147968816) set_type(2147968816, 'struct FRAME_HDR *GetFr__7TextDati_addr_80076730(struct TextDat *this, int FrNum)') del_items(2147968844) set_type(2147968844, 'void gamemenu_on__Fv()') del_items(2147968852) set_type(2147968852, 'void gamemenu_off__Fv()') del_items(2147968860) set_type(2147968860, 'void LoadPalette__FPCc(char *pszFileName)') del_items(2147968868) set_type(2147968868, 'void LoadRndLvlPal__Fi(int l)') del_items(2147968876) set_type(2147968876, 'void ResetPal__Fv()') del_items(2147968884) set_type(2147968884, 'void SetFadeLevel__Fi(int fadeval)') del_items(2147968932) set_type(2147968932, 'bool GetFadeState__Fv()') del_items(2147968944) set_type(2147968944, 'void SetPolyXY__FP8POLY_GT4PUc(struct POLY_GT4 *gt4, unsigned char *coords)') del_items(2147969204) set_type(2147969204, 'void SmearScreen__Fv()') del_items(2147969212) set_type(2147969212, 'void DrawFadedScreen__Fv()') del_items(2147969296) set_type(2147969296, 'void BlackPalette__Fv()') del_items(2147969484) set_type(2147969484, 'void PaletteFadeInTask__FP4TASK(struct TASK *T)') del_items(2147969672) set_type(2147969672, 'bool PaletteFadeIn__Fi(int fr)') del_items(2147969760) set_type(2147969760, 'void PaletteFadeOutTask__FP4TASK(struct TASK *T)') del_items(2147969980) set_type(2147969980, 'bool PaletteFadeOut__Fi(int fr)') del_items(2147970064) set_type(2147970064, 'void M_CheckEFlag__Fi(int i)') del_items(2147970096) set_type(2147970096, 'void M_ClearSquares__Fi(int i)') del_items(2147970460) set_type(2147970460, 'unsigned char IsSkel__Fi(int mt)') del_items(2147970520) set_type(2147970520, 'void NewMonsterAnim__FiR10AnimStructii(int i, struct AnimStruct *anim, int md, int AnimType)') del_items(2147970596) set_type(2147970596, 'unsigned char M_Ranged__Fi(int i)') del_items(2147970668) set_type(2147970668, 'unsigned char M_Talker__Fi(int i)') del_items(2147970764) set_type(2147970764, 'void M_Enemy__Fi(int i)') del_items(2147972212) set_type(2147972212, 'void ClearMVars__Fi(int i)') del_items(2147972328) set_type(2147972328, 'void InitMonster__Fiiiii(int i, int rd, int mtype, int x, int y)') del_items(2147973428) set_type(2147973428, 'int AddMonster__FiiiiUc(int x, int y, int dir, int mtype, int InMap)') del_items(2147973604) set_type(2147973604, 'void M_StartStand__Fii(int i, int md)') del_items(2147973928) set_type(2147973928, 'void M_UpdateLeader__Fi(int i)') del_items(2147974176) set_type(2147974176, 'void ActivateSpawn__Fiiii(int i, int x, int y, int dir)') del_items(2147974344) set_type(2147974344, 'unsigned char SpawnSkeleton__Fiii(int ii, int x, int y)') del_items(2147974840) set_type(2147974840, 'void M_StartSpStand__Fii(int i, int md)') del_items(2147975064) set_type(2147975064, 'unsigned char PosOkMonst__Fiii(int i, int x, int y)') del_items(2147975700) set_type(2147975700, 'unsigned char CanPut__Fii(int i, int j)') del_items(2147976476) set_type(2147976476, 'unsigned short GetAutomapType__FiiUc(int x, int y, unsigned char view)') del_items(2147977240) set_type(2147977240, 'void SetAutomapView__Fii(int x, int y)') del_items(2147978344) set_type(2147978344, 'void AddWarpMissile__Fiii(int i, int x, int y)') del_items(2147978608) set_type(2147978608, 'void SyncPortals__Fv()') del_items(2147978872) set_type(2147978872, 'void AddInTownPortal__Fi(int i)') del_items(2147978932) set_type(2147978932, 'void ActivatePortal__FiiiiiUc(int i, int x, int y, int lvl, int lvltype, int sp)') del_items(2147979044) set_type(2147979044, 'void DeactivatePortal__Fi(int i)') del_items(2147979076) set_type(2147979076, 'unsigned char PortalOnLevel__Fi(int i)') del_items(2147979132) set_type(2147979132, 'void RemovePortalMissile__Fi(int id)') del_items(2147979544) set_type(2147979544, 'void SetCurrentPortal__Fi(int p)') del_items(2147979556) set_type(2147979556, 'void GetPortalLevel__Fv()') del_items(2147979992) set_type(2147979992, 'void GetPortalLvlPos__Fv()') del_items(2147980172) set_type(2147980172, 'struct CompLevelMaps *__13CompLevelMaps(struct CompLevelMaps *this)') del_items(2147980216) set_type(2147980216, 'void ___13CompLevelMaps(struct CompLevelMaps *this, int __in_chrg)') del_items(2147980256) set_type(2147980256, 'void Init__13CompLevelMaps(struct CompLevelMaps *this)') del_items(2147980304) set_type(2147980304, 'void Dump__13CompLevelMaps(struct CompLevelMaps *this)') del_items(2147980468) set_type(2147980468, 'void DumpMap__13CompLevelMapsi(struct CompLevelMaps *this, int MapNum)') del_items(2147980572) set_type(2147980572, 'struct DLevel *UseMap__13CompLevelMapsi(struct CompLevelMaps *this, int Val)') del_items(2147980784) set_type(2147980784, 'void ReleaseMap__13CompLevelMapsP6DLevel(struct CompLevelMaps *this, struct DLevel *Map)') del_items(2147980896) set_type(2147980896, 'bool IsMapCached__13CompLevelMapsi(struct CompLevelMaps *this, int Val)') del_items(2147981012) set_type(2147981012, 'void WriteBackCachedMap__13CompLevelMaps(struct CompLevelMaps *this)') del_items(2147981544) set_type(2147981544, 'void DecompToCached__13CompLevelMapsi(struct CompLevelMaps *this, int Val)') del_items(2147981960) set_type(2147981960, 'void BuildCompLevelImage__13CompLevelMapsP17CompLevelMemImage(struct CompLevelMaps *this, struct CompLevelMemImage *Dest)') del_items(2147982312) set_type(2147982312, 'void InitFromCompLevelImage__13CompLevelMapsP17CompLevelMemImage(struct CompLevelMaps *this, struct CompLevelMemImage *Src)') del_items(2147982632) set_type(2147982632, 'int DoComp__13CompLevelMapsPUcT1i(struct CompLevelMaps *this, unsigned char *Dest, unsigned char *Source, int SourceSize)') del_items(2147982688) set_type(2147982688, 'int DoDecomp__13CompLevelMapsPUcT1ii(struct CompLevelMaps *this, unsigned char *Dest, unsigned char *Source, int DestSize, int SourceSize)') del_items(2147982744) set_type(2147982744, 'void VER_InitVersion__Fv()') del_items(2147982812) set_type(2147982812, 'char *VER_GetVerString__Fv()') del_items(2147982828) set_type(2147982828, 'int CharPair2Num__FPc(char *Str)') del_items(2147608136) set_type(2147608136, 'void TICK_InitModule()') del_items(2147608168) set_type(2147608168, 'void TICK_Set(unsigned long Val)') del_items(2147608184) set_type(2147608184, 'unsigned long TICK_Get()') del_items(2147608200) set_type(2147608200, 'void TICK_Update()') del_items(2147608232) set_type(2147608232, 'unsigned long TICK_GetAge(unsigned long OldTick)') del_items(2147608276) set_type(2147608276, 'char *TICK_GetDateString()') del_items(2147608292) set_type(2147608292, 'char *TICK_GetTimeString()') del_items(2147608308) set_type(2147608308, 'unsigned char GU_InitModule()') del_items(2147608352) set_type(2147608352, 'void GU_SetRndSeed(unsigned long *Tab)') del_items(2147608400) set_type(2147608400, 'unsigned long GU_GetRnd()') del_items(2147608544) set_type(2147608544, 'long GU_GetSRnd()') del_items(2147608576) set_type(2147608576, 'unsigned long GU_GetRndRange(unsigned int Range)') del_items(2147608636) set_type(2147608636, 'unsigned int GU_AlignVal(unsigned int w, unsigned int round)') del_items(2147608672) set_type(2147608672, 'void main()') del_items(2147608752) set_type(2147608752, 'unsigned char DBG_OpenModule()') del_items(2147608760) set_type(2147608760, 'void DBG_PollHost()') del_items(2147608768) set_type(2147608768, 'void DBG_Halt()') del_items(2147608776) set_type(2147608776, 'void DBG_SendMessage(char *e)') del_items(2147608800) set_type(2147608800, 'void DBG_SetMessageHandler(void (*Func)())') del_items(2147608816) set_type(2147608816, 'void DBG_Error(char *Text, char *File, int Line)') del_items(2147608860) set_type(2147608860, 'void DBG_SetErrorFunc(void (*EFunc)())') del_items(2147608876) set_type(2147608876, 'void SendPsyqString(char *e)') del_items(2147608884) set_type(2147608884, 'void DBG_SetPollRoutine(void (*Func)())') del_items(2147608900) set_type(2147608900, 'unsigned long GTIMSYS_GetTimer()') del_items(2147608936) set_type(2147608936, 'void GTIMSYS_ResetTimer()') del_items(2147608972) set_type(2147608972, 'unsigned long GTIMSYS_InitTimer()') del_items(2147609536) set_type(2147609536, 'void DoEpi(struct TASK *T)') del_items(2147609616) set_type(2147609616, 'void DoPro(struct TASK *T)') del_items(2147609696) set_type(2147609696, 'unsigned char TSK_OpenModule(unsigned long MemType)') del_items(2147609812) set_type(2147609812, 'struct TASK *TSK_AddTask(unsigned long Id, void (*Main)(), int StackSize, int DataSize)') del_items(2147610300) set_type(2147610300, 'void TSK_DoTasks()') del_items(2147610748) set_type(2147610748, 'void TSK_Sleep(int Frames)') del_items(2147610968) set_type(2147610968, 'void ReturnToSchedulerIfCurrentTask(struct TASK *T)') del_items(2147611104) set_type(2147611104, 'void TSK_Die()') del_items(2147611148) set_type(2147611148, 'void TSK_Kill(struct TASK *T)') del_items(2147611228) set_type(2147611228, 'struct TASK *TSK_GetFirstActive()') del_items(2147611244) set_type(2147611244, 'unsigned char TSK_IsStackCorrupted(struct TASK *T)') del_items(2147611368) set_type(2147611368, 'void TSK_JumpAndResetStack(void (*RunFunc)())') del_items(2147611440) set_type(2147611440, 'void TSK_RepointProc(struct TASK *T, void (*Func)())') del_items(2147611508) set_type(2147611508, 'struct TASK *TSK_GetCurrentTask()') del_items(2147611524) set_type(2147611524, 'unsigned char TSK_IsCurrentTask(struct TASK *T)') del_items(2147611548) set_type(2147611548, 'struct TASK *TSK_Exist(struct TASK *T, unsigned long Id, unsigned long Mask)') del_items(2147611636) set_type(2147611636, 'void TSK_SetExecFilter(unsigned long Id, unsigned long Mask)') del_items(2147611660) set_type(2147611660, 'void TSK_ClearExecFilter()') del_items(2147611696) set_type(2147611696, 'int TSK_KillTasks(struct TASK *CallingT, unsigned long Id, unsigned long Mask)') del_items(2147611952) set_type(2147611952, 'void TSK_IterateTasks(unsigned long Id, unsigned long Mask, void (*CallBack)())') del_items(2147612072) set_type(2147612072, 'void TSK_MakeTaskInactive(struct TASK *T)') del_items(2147612092) set_type(2147612092, 'void TSK_MakeTaskActive(struct TASK *T)') del_items(2147612112) set_type(2147612112, 'void TSK_MakeTaskImmortal(struct TASK *T)') del_items(2147612132) set_type(2147612132, 'void TSK_MakeTaskMortal(struct TASK *T)') del_items(2147612152) set_type(2147612152, 'unsigned char TSK_IsTaskActive(struct TASK *T)') del_items(2147612172) set_type(2147612172, 'unsigned char TSK_IsTaskMortal(struct TASK *T)') del_items(2147612192) set_type(2147612192, 'void DetachFromList(struct TASK **Head, struct TASK *ThisObj)') del_items(2147612268) set_type(2147612268, 'void AddToList(struct TASK **Head, struct TASK *ThisObj)') del_items(2147612300) set_type(2147612300, 'void LoTskKill(struct TASK *T)') del_items(2147612412) set_type(2147612412, 'void ExecuteTask(struct TASK *T)') del_items(2147612492) set_type(2147612492, 'void (*TSK_SetDoTasksPrologue(void (*Func)()))()') del_items(2147612516) set_type(2147612516, 'void (*TSK_SetDoTasksEpilogue(void (*Func)()))()') del_items(2147612540) set_type(2147612540, 'void (*TSK_SetTaskPrologue(void (*Pro)()))()') del_items(2147612564) set_type(2147612564, 'void (*TSK_SetTaskEpilogue(void (*Epi)()))()') del_items(2147612588) set_type(2147612588, 'void TSK_SetEpiProFilter(unsigned long Id, unsigned long Mask)') del_items(2147612612) set_type(2147612612, 'void TSK_ClearEpiProFilter()') del_items(2147612664) set_type(2147612664, 'void TSK_SetExtraStackProtection(unsigned char OnOff)') del_items(2147612680) set_type(2147612680, 'void (*TSK_SetStackFloodCallback(void (*Func)()))()') del_items(2147612704) set_type(2147612704, 'int TSK_SetExtraStackSize(int Size)') del_items(2147612744) set_type(2147612744, 'void ExtraMarkStack(unsigned long *Stack, int SizeLongs)') del_items(2147612788) set_type(2147612788, 'int CheckExtraStack(unsigned long *Stack, int LongsToCheck)') del_items(2147612848) set_type(2147612848, 'struct MEM_INFO *GSYS_GetWorkMemInfo()') del_items(2147612864) set_type(2147612864, 'void GSYS_SetStackAndJump(void *Stack, void (*Func)(), void *Param)') del_items(2147612924) set_type(2147612924, 'void GSYS_MarkStack(void *Stack, unsigned long StackSize)') del_items(2147612940) set_type(2147612940, 'unsigned char GSYS_IsStackCorrupted(void *Stack, unsigned long StackSize)') del_items(2147612964) set_type(2147612964, 'unsigned char GSYS_InitMachine()') del_items(2147613048) set_type(2147613048, 'unsigned char GSYS_CheckPtr(void *Ptr)') del_items(2147613100) set_type(2147613100, 'unsigned char GSYS_IsStackOutOfBounds(void *Stack, unsigned long StackSize)') del_items(2147613224) set_type(2147613224, 'void GAL_SetErrorChecking(unsigned char OnOff)') del_items(2147613240) set_type(2147613240, 'long GAL_SplitBlock(long CurBlock, unsigned long Size)') del_items(2147613548) set_type(2147613548, 'void GAL_InitModule()') del_items(2147613732) set_type(2147613732, 'unsigned char GAL_AddMemType(struct MEM_INIT_INFO *M)') del_items(2147614020) set_type(2147614020, 'long GAL_Alloc(unsigned long Size, unsigned long Type, char *Name)') del_items(2147614428) set_type(2147614428, 'void *GAL_Lock(long Handle)') del_items(2147614524) set_type(2147614524, 'unsigned char GAL_Unlock(long Handle)') del_items(2147614648) set_type(2147614648, 'unsigned char GAL_Free(long Handle)') del_items(2147614808) set_type(2147614808, 'unsigned long GAL_GetFreeMem(unsigned long Type)') del_items(2147614924) set_type(2147614924, 'unsigned long GAL_GetUsedMem(unsigned long Type)') del_items(2147615040) set_type(2147615040, 'unsigned long GAL_LargestFreeBlock(unsigned long Type)') del_items(2147615164) set_type(2147615164, 'void AttachHdrToList(struct MEM_HDR **Head, struct MEM_HDR *Block)') del_items(2147615196) set_type(2147615196, 'void DetachHdrFromList(struct MEM_HDR **Head, struct MEM_HDR *Block)') del_items(2147615272) set_type(2147615272, 'unsigned char IsActiveValidHandle(long Handle)') del_items(2147615320) set_type(2147615320, 'void *AlignPtr(void *P, unsigned long Align)') del_items(2147615368) set_type(2147615368, 'unsigned long AlignSize(unsigned long Size, unsigned long Align)') del_items(2147615416) set_type(2147615416, 'struct MEM_HDR *FindClosestSizedBlock(struct MEM_HDR *Head, unsigned long Size)') del_items(2147615504) set_type(2147615504, 'struct MEM_HDR *FindHighestMemBlock(struct MEM_HDR *Head, unsigned long Size)') del_items(2147615608) set_type(2147615608, 'struct MEM_HDR *FindLowestMemBlock(struct MEM_HDR *Head, unsigned long Size)') del_items(2147615712) set_type(2147615712, 'struct MEM_INIT_INFO *GetMemInitInfoBlockFromType(unsigned long Type)') del_items(2147615772) set_type(2147615772, 'void MergeToEmptyList(struct MEM_INIT_INFO *MI, struct MEM_HDR *M)') del_items(2147615984) set_type(2147615984, 'long GAL_AllocAt(unsigned long Size, void *Addr, unsigned long Type, char *Name)') del_items(2147616204) set_type(2147616204, 'long LoAlloc(struct MEM_INIT_INFO *M, struct MEM_HDR *Block, void *Addr, unsigned long Size, char *Name)') del_items(2147616612) set_type(2147616612, 'struct MEM_HDR *FindBlockInTheseBounds(struct MEM_HDR *Head, void *Addr, unsigned long Size)') del_items(2147616720) set_type(2147616720, 'struct MEM_HDR *GetFreeMemHdrBlock()') del_items(2147616856) set_type(2147616856, 'void ReleaseMemHdrBlock(struct MEM_HDR *Index)') del_items(2147616920) set_type(2147616920, 'void GAL_IterateEmptyMem(unsigned long MemType, void (*Func)())') del_items(2147617052) set_type(2147617052, 'void GAL_IterateUsedMem(unsigned long MemType, void (*Func)())') del_items(2147617208) set_type(2147617208, 'unsigned char GAL_SetMemName(long Hnd, char *Text)') del_items(2147617312) set_type(2147617312, 'unsigned long GAL_TotalMem(unsigned long Type)') del_items(2147617396) set_type(2147617396, 'void *GAL_MemBase(unsigned long Type)') del_items(2147617480) set_type(2147617480, 'unsigned char GAL_DefragMem(unsigned long type)') del_items(2147617612) set_type(2147617612, 'unsigned char GSetError(enum GAL_ERROR_CODE Err)') del_items(2147617704) set_type(2147617704, 'unsigned char GAL_CheckMem(unsigned long Type)') del_items(2147617956) set_type(2147617956, 'unsigned char CheckCollisions(struct MEM_INIT_INFO *M, struct MEM_HDR *MemHdr)') del_items(2147618128) set_type(2147618128, 'unsigned char AreBlocksColliding(struct MEM_HDR *Hdr1, struct MEM_HDR *Hdr2)') del_items(2147618216) set_type(2147618216, 'char *GAL_GetErrorText(enum GAL_ERROR_CODE Err)') del_items(2147618264) set_type(2147618264, 'enum GAL_ERROR_CODE GAL_GetLastErrorCode()') del_items(2147618280) set_type(2147618280, 'char *GAL_GetLastErrorText()') del_items(2147618320) set_type(2147618320, 'int GAL_HowManyEmptyRegions(unsigned long Type)') del_items(2147618424) set_type(2147618424, 'int GAL_HowManyUsedRegions(unsigned long Type)') del_items(2147618528) set_type(2147618528, 'void GAL_SetTimeStamp(int Time)') del_items(2147618544) set_type(2147618544, 'void GAL_IncTimeStamp()') del_items(2147618576) set_type(2147618576, 'int GAL_GetTimeStamp()') del_items(2147618592) set_type(2147618592, 'long GAL_AlignSizeToType(unsigned long Size, unsigned long MemType)') del_items(2147618672) set_type(2147618672, 'long GAL_AllocMultiStruct(struct GAL_STRUCT *G, unsigned long Type, char *Name)') del_items(2147618752) set_type(2147618752, 'unsigned int GAL_ProcessMultiStruct(struct GAL_STRUCT *G, unsigned long Type)') del_items(2147618924) set_type(2147618924, 'long GAL_GetSize(long hnd)') del_items(2147619008) set_type(2147619008, 'unsigned char GazDefragMem(unsigned long MemType)') del_items(2147619368) set_type(2147619368, 'void PutBlocksInRegionIntoList(struct MEM_REG *Reg, struct MEM_HDR **ToList, struct MEM_HDR **FromList)') del_items(2147619532) set_type(2147619532, 'unsigned char CollideRegions(struct MEM_REG *Reg1, struct MEM_REG *Reg2)') del_items(2147619584) set_type(2147619584, 'void DeleteEmptyBlocks(struct MEM_INIT_INFO *M)') del_items(2147619692) set_type(2147619692, 'unsigned char GetRegion(struct MEM_REG *Reg, struct MEM_HDR *LockedBlocks, struct MEM_INIT_INFO *M)') del_items(2147619940) set_type(2147619940, 'struct MEM_HDR *FindNextBlock(void *Addr, struct MEM_HDR *Blocks)') del_items(2147620000) set_type(2147620000, 'unsigned long ShuffleBlocks(struct MEM_HDR *Blocks, struct MEM_REG *Reg, struct MEM_INIT_INFO *M)') del_items(2147620144) set_type(2147620144, 'void PutAllLockedBlocksOntoList(struct MEM_HDR **ToHead, struct MEM_HDR **FromHead)') del_items(2147620268) set_type(2147620268, 'void SortMemHdrListByAddr(struct MEM_HDR **Head)') del_items(2147620448) set_type(2147620448, 'void GraftMemHdrList(struct MEM_HDR **ToList, struct MEM_HDR **FromList)') del_items(2147620540) set_type(2147620540, 'void GAL_MemDump(unsigned long Type)') del_items(2147620656) set_type(2147620656, 'void GAL_SetVerbosity(enum GAL_VERB_LEV G)') del_items(2147620672) set_type(2147620672, 'int CountFreeBlocks()') del_items(2147620716) set_type(2147620716, 'void SetBlockName(struct MEM_HDR *MemHdr, char *NewName)') del_items(2147620788) set_type(2147620788, 'int GAL_GetNumFreeHeaders()') del_items(2147620804) set_type(2147620804, 'unsigned long GAL_GetLastTypeAlloced()') del_items(2147620820) set_type(2147620820, 'void (*GAL_SetAllocFilter(void (*NewFilter)()))()') del_items(2147620844) set_type(2147620844, 'unsigned char GAL_SortUsedRegionsBySize(unsigned long MemType)') del_items(2147620928) set_type(2147620928, 'unsigned char SortSize(struct MEM_HDR *B1, struct MEM_HDR *B2)') del_items(2147620944) set_type(2147620944, 'void SortMemHdrList(struct MEM_HDR **Head, unsigned char (*CompFunc)())') del_items(2147630092) set_type(2147630092, 'int vsprintf(char *str, char *fmt, char *ap)') del_items(2147630168) set_type(2147630168, 'int _doprnt(char *fmt0, char *argp, struct FILE *fp)')
x = 10 y = 'Hi' z = 'Hello' print(y) # breakpoint() is introduced in Python 3.7 breakpoint() print(z) # Execution Steps # Default: # $python3.7 python_breakpoint_examples.py # Disable Breakpoint: # $PYTHONBREAKPOINT=0 python3.7 python_breakpoint_examples.py # Using Other Debugger (for example web-pdb): # $PYTHONBREAKPOINT=web_pdb.set_trace python3.7 python_breakpoint_examples.py
x = 10 y = 'Hi' z = 'Hello' print(y) breakpoint() print(z)
# Test if list is Palindrome # Using list slicing # initializing list test_list = [1, 4, 5, 4, 1] # printing original list print("The original list is : " + str(test_list)) # Reversing the list reverse = test_list[::-1] # checking if palindrome res = test_list == reverse # printing result print("Is list Palindrome : " + str(res))
test_list = [1, 4, 5, 4, 1] print('The original list is : ' + str(test_list)) reverse = test_list[::-1] res = test_list == reverse print('Is list Palindrome : ' + str(res))
def _file_name(filePathName): if "/" in filePathName: return filePathName.rsplit("/", -1)[1] else: return filePathName def _base_name(fileName): return fileName.split(".")[0] def qt_cc_library(name, src, hdr, uis = [], res = [], normal_hdrs = [], deps = None, **kwargs): srcs = src for hItem in hdr: base_name = _base_name(_file_name(hItem)) native.genrule( name = "%s_moc" % base_name, srcs = [hItem], outs = ["moc_%s.cpp" % base_name], cmd = "if [[ `grep 'Q_OBJECT' $(location %s)` ]] ; \ then /usr/local/Qt5.9.8/5.9/gcc_64/bin/moc $(location %s) -o $@ -f'%s'; \ else echo '' > $@ ; fi" % (hItem, hItem, "%s/%s" % (native.package_name(), hItem)), ) srcs.append("moc_%s.cpp" % base_name) for uitem in uis: base_name = _base_name(_file_name(uitem)) native.genrule( name = "%s_ui" % base_name, srcs = [uitem], outs = ["ui_%s.h" % base_name], cmd = "/usr/local/Qt5.9.8/5.9/gcc_64/bin/uic $(locations %s) -o $@" % uitem, ) hdr.append("ui_%s.h" % base_name) for ritem in res: base_name = _base_name(_file_name(ritem)) native.genrule( name = "%s_res" % base_name, srcs = [ritem] + deps, outs = ["res_%s.cpp" % base_name], cmd = "/usr/local/Qt5.9.8/5.9/gcc_64/bin/rcc --name res --output $(OUTS) $(location %s)" % ritem, ) srcs.append("res_%s.cpp" % base_name) hdrs = hdr + normal_hdrs native.cc_library( name = name, srcs = srcs, hdrs = hdrs, deps = deps, alwayslink = 1, **kwargs )
def _file_name(filePathName): if '/' in filePathName: return filePathName.rsplit('/', -1)[1] else: return filePathName def _base_name(fileName): return fileName.split('.')[0] def qt_cc_library(name, src, hdr, uis=[], res=[], normal_hdrs=[], deps=None, **kwargs): srcs = src for h_item in hdr: base_name = _base_name(_file_name(hItem)) native.genrule(name='%s_moc' % base_name, srcs=[hItem], outs=['moc_%s.cpp' % base_name], cmd="if [[ `grep 'Q_OBJECT' $(location %s)` ]] ; then /usr/local/Qt5.9.8/5.9/gcc_64/bin/moc $(location %s) -o $@ -f'%s'; else echo '' > $@ ; fi" % (hItem, hItem, '%s/%s' % (native.package_name(), hItem))) srcs.append('moc_%s.cpp' % base_name) for uitem in uis: base_name = _base_name(_file_name(uitem)) native.genrule(name='%s_ui' % base_name, srcs=[uitem], outs=['ui_%s.h' % base_name], cmd='/usr/local/Qt5.9.8/5.9/gcc_64/bin/uic $(locations %s) -o $@' % uitem) hdr.append('ui_%s.h' % base_name) for ritem in res: base_name = _base_name(_file_name(ritem)) native.genrule(name='%s_res' % base_name, srcs=[ritem] + deps, outs=['res_%s.cpp' % base_name], cmd='/usr/local/Qt5.9.8/5.9/gcc_64/bin/rcc --name res --output $(OUTS) $(location %s)' % ritem) srcs.append('res_%s.cpp' % base_name) hdrs = hdr + normal_hdrs native.cc_library(name=name, srcs=srcs, hdrs=hdrs, deps=deps, alwayslink=1, **kwargs)
def winning_move(board, piece): # Check horizontal locations for win # every possibility horizontal 4 in the board for c in range(COLUMN_COUNT-3): for r in range(ROW_COUNT): if board[r][c] == piece and board[r][c+1] == piece\ and board[r][c+2] == piece and board[r][c+3] == piece: return True # Check vertical locations for win for c in range(COLUMN_COUNT): for r in range(ROW_COUNT-3): if board[r][c] == piece and board[r+1][c] == piece \ and board[r+2][c] == piece and board[r+3][c] == piece: return True # Check positively sloped diaganols for c in range(COLUMN_COUNT-3): # 4 * 3 kinds of possibility for r in range(ROW_COUNT-3): if board[r][c] == piece and board[r+1][c+1] == piece \ and board[r+2][c+2] == piece and board[r+3][c+3] == piece: return True # Check negatively sloped diagnols for c in range(COLUMN_COUNT-3): # 4 * 3 kinds of possibility for r in range(3,ROW_COUNT): if board[r][c] == piece and board[r-1][c+1] == piece \ and board[r-2][c+2] == piece and board[r-3][c+3] == piece: return True True
def winning_move(board, piece): for c in range(COLUMN_COUNT - 3): for r in range(ROW_COUNT): if board[r][c] == piece and board[r][c + 1] == piece and (board[r][c + 2] == piece) and (board[r][c + 3] == piece): return True for c in range(COLUMN_COUNT): for r in range(ROW_COUNT - 3): if board[r][c] == piece and board[r + 1][c] == piece and (board[r + 2][c] == piece) and (board[r + 3][c] == piece): return True for c in range(COLUMN_COUNT - 3): for r in range(ROW_COUNT - 3): if board[r][c] == piece and board[r + 1][c + 1] == piece and (board[r + 2][c + 2] == piece) and (board[r + 3][c + 3] == piece): return True for c in range(COLUMN_COUNT - 3): for r in range(3, ROW_COUNT): if board[r][c] == piece and board[r - 1][c + 1] == piece and (board[r - 2][c + 2] == piece) and (board[r - 3][c + 3] == piece): return True True
count = 0 while count < 5: print(count) count += 1 else: print(count) count = 0 while count < 5: print(count) count += 1 if count == 3: break count = 0 while count < 5: if count == 3: count += 1 continue print(count) count += 1
count = 0 while count < 5: print(count) count += 1 else: print(count) count = 0 while count < 5: print(count) count += 1 if count == 3: break count = 0 while count < 5: if count == 3: count += 1 continue print(count) count += 1
# # Virtual Block Device (VBD) Xen API Configuration # # Note: There is a non-API field here called "image" which is a backwards # compat addition so you can mount to old images. # VDI = '' device = 'sda1' mode = 'RW' driver = 'paravirtualised' image = 'file:/root/gentoo.amd64.img'
vdi = '' device = 'sda1' mode = 'RW' driver = 'paravirtualised' image = 'file:/root/gentoo.amd64.img'
# Use this playground to experiment with list methods, using Test Run list_method = [1, 2, 2, 3, 3, 3, 4, 4, 4, 4] list_method.append(5, ) print(list_method) list_method.extend([5, 5, 5, 5]) print(list_method) list_method.insert(3, 2) print(list_method) list_method.remove(2) print(list_method) print(list_method.count(5)) print(list_method.pop(10)) print(list_method) list_method.reverse() print(list_method)
list_method = [1, 2, 2, 3, 3, 3, 4, 4, 4, 4] list_method.append(5) print(list_method) list_method.extend([5, 5, 5, 5]) print(list_method) list_method.insert(3, 2) print(list_method) list_method.remove(2) print(list_method) print(list_method.count(5)) print(list_method.pop(10)) print(list_method) list_method.reverse() print(list_method)
min3 = 100 max3 = 999 mul = 0 mx = 0 # max palindrome for i in range(max3, min3-1, -1): for j in range(i, min3-1, -1): mul = i*j rev = int(str(mul)[::-1]) # reversed if (mul <= mx): break if (mul == rev): mx = mul print(mx)
min3 = 100 max3 = 999 mul = 0 mx = 0 for i in range(max3, min3 - 1, -1): for j in range(i, min3 - 1, -1): mul = i * j rev = int(str(mul)[::-1]) if mul <= mx: break if mul == rev: mx = mul print(mx)
### # Created on Apr 13,2020 # @author: Jordon Malcolm # [email protected] ### class Events: def __init__(self, arg1=" ", arg2=" ", arg3=" ", arg4=" ", arg5=" ", arg6=" ", arg7=0): self.subject = arg1 self.courseNum = arg2 self.version = arg3 self.section = arg4 self.instructor = arg5 self.time = arg6 self.capacity = arg7 def getSubject(self): return self.subject def getCourseNum(self): return self.courseNum def getVersion(self): return self.version def getSection(self): return self.section def getInstructor(self): return self.instructor def getTime(self): return self.time def getCapacity(self): return self.capacity
class Events: def __init__(self, arg1=' ', arg2=' ', arg3=' ', arg4=' ', arg5=' ', arg6=' ', arg7=0): self.subject = arg1 self.courseNum = arg2 self.version = arg3 self.section = arg4 self.instructor = arg5 self.time = arg6 self.capacity = arg7 def get_subject(self): return self.subject def get_course_num(self): return self.courseNum def get_version(self): return self.version def get_section(self): return self.section def get_instructor(self): return self.instructor def get_time(self): return self.time def get_capacity(self): return self.capacity
countries = input().split(", ") capitals = input().split(", ") my_dict = {country: capital for country, capital in tuple(zip(countries, capitals))} [print (f"{country} -> {capital}") for country, capital in my_dict.items()]
countries = input().split(', ') capitals = input().split(', ') my_dict = {country: capital for (country, capital) in tuple(zip(countries, capitals))} [print(f'{country} -> {capital}') for (country, capital) in my_dict.items()]
class Interface: QUERY_SCHEDULE = "0" QUERY_TEAM_STATS = "1" # add new query type above this line RESP_SCHEDULE = "0" RESP_TEAM_STATS = "1" # add new response type above this line
class Interface: query_schedule = '0' query_team_stats = '1' resp_schedule = '0' resp_team_stats = '1'
class Solution: def numWaterBottles(self, numBottles: int, numExchange: int) -> int: ans = numBottles while numBottles >= numExchange: remaining = numBottles%numExchange numBottles = numBottles // numExchange ans += numBottles numBottles += remaining return int(ans)
class Solution: def num_water_bottles(self, numBottles: int, numExchange: int) -> int: ans = numBottles while numBottles >= numExchange: remaining = numBottles % numExchange num_bottles = numBottles // numExchange ans += numBottles num_bottles += remaining return int(ans)
def get_matrix(): return [ [1, 2, 3], [4, 5, 6], [7, 8, 9] ]
def get_matrix(): return [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
''' This is Day 2 of 100 Days of Python Today, we are going to build a tip calculator The knowledge that we need are basic school mathematics and the usage of the different operators in Python In python the different operators used are +, - , *, /, // , **, and the % operators. Each has its own function, which we shall explore in this Tip Calculator Program This Program is intended for the understanding of operators and mathematical operations in Python This has no real life usage unless you are revising or learning how to make basic mathematical operations in Python. Difficulty Level: Easy Knowledge To be Gained: Introduction to basic Mathematical operators and operations in Python ''' #First of all let us print a welcome message for the user message = "Welcome to Tip Calculator" print(message) # The next thing to do is to take the total bill amount as input totalBillAmount = float(input("What is the total bill? $ ")) # After taking input the total bill amount, take input the number of persons who shall split the bill among themselves, and the percentage of the bill which is to be given as tip numberOfPersons = int(input("Enter the total number of persons: ")) tipPercentage = float(input("Enter the percentage of bill to be paid as tip: ")) # After taking all the inputs, now comes the calculation part. First thing we need to calculate is the tip amount tip = (totalBillAmount * tipPercentage) / 100 # For percentage, multiply the billAmount by Percentage and divide by 100 # Add the tip to the totalBillAmount to find the totalPayableAmount totalPayableAmount = totalBillAmount + tip # Finally divide the totalPayableAmount by the total number of persons to find how much amount each person has to pay, round it off to 2 decimal places using round() method, and print the result using an fstring amountToPay = totalPayableAmount / numberOfPersons print(f"Each person has to pay $ {round(amountToPay,2)}")
""" This is Day 2 of 100 Days of Python Today, we are going to build a tip calculator The knowledge that we need are basic school mathematics and the usage of the different operators in Python In python the different operators used are +, - , *, /, // , **, and the % operators. Each has its own function, which we shall explore in this Tip Calculator Program This Program is intended for the understanding of operators and mathematical operations in Python This has no real life usage unless you are revising or learning how to make basic mathematical operations in Python. Difficulty Level: Easy Knowledge To be Gained: Introduction to basic Mathematical operators and operations in Python """ message = 'Welcome to Tip Calculator' print(message) total_bill_amount = float(input('What is the total bill? $ ')) number_of_persons = int(input('Enter the total number of persons: ')) tip_percentage = float(input('Enter the percentage of bill to be paid as tip: ')) tip = totalBillAmount * tipPercentage / 100 total_payable_amount = totalBillAmount + tip amount_to_pay = totalPayableAmount / numberOfPersons print(f'Each person has to pay $ {round(amountToPay, 2)}')
GENERAL_EXCEPTION = "internal_server_error" LOGIN_EXCEPTION = "login_error" REGISTER_EXCEPTION = "register_error" NOT_AUTHORIZED = "not_authorized" QUERY_PARAM_EXCEPTION = "query_param_error" NOT_FOUND = "resource_not_found" BAD_REQUEST_EXCEPTION = "bad_request_error"
general_exception = 'internal_server_error' login_exception = 'login_error' register_exception = 'register_error' not_authorized = 'not_authorized' query_param_exception = 'query_param_error' not_found = 'resource_not_found' bad_request_exception = 'bad_request_error'
lista = [2, 4, 2, 2, 3, 3, 1] def soma_elementos(lista): soma = 0 for element in lista: soma += element return soma print(soma_elementos(lista))
lista = [2, 4, 2, 2, 3, 3, 1] def soma_elementos(lista): soma = 0 for element in lista: soma += element return soma print(soma_elementos(lista))
def get_strob_numbers(num_digits): if not num_digits: return [""] elif num_digits == 1: return ["0", "1", "8"] smaller_strob_numbers = get_strob_numbers(num_digits - 2) strob_numbers = list() for x in smaller_strob_numbers: strob_numbers.extend([ "1" + x + "1", "6" + x + "9", "9" + x + "6", "8" + x + "8", ]) return strob_numbers # Tests assert get_strob_numbers(1) == ['0', '1', '8'] assert get_strob_numbers(2) == ['11', '69', '96', '88'] assert get_strob_numbers(3) == ['101', '609', '906', '808', '111', '619', '916', '818', '181', '689', '986', '888']
def get_strob_numbers(num_digits): if not num_digits: return [''] elif num_digits == 1: return ['0', '1', '8'] smaller_strob_numbers = get_strob_numbers(num_digits - 2) strob_numbers = list() for x in smaller_strob_numbers: strob_numbers.extend(['1' + x + '1', '6' + x + '9', '9' + x + '6', '8' + x + '8']) return strob_numbers assert get_strob_numbers(1) == ['0', '1', '8'] assert get_strob_numbers(2) == ['11', '69', '96', '88'] assert get_strob_numbers(3) == ['101', '609', '906', '808', '111', '619', '916', '818', '181', '689', '986', '888']
PAIRSAM_FORMAT_VERSION = '1.0.0' PAIRSAM_SEP = '\t' PAIRSAM_SEP_ESCAPE = r'\t' SAM_SEP = '\031' SAM_SEP_ESCAPE = r'\031' INTER_SAM_SEP = '\031NEXT_SAM\031' COL_READID = 0 COL_C1 = 1 COL_P1 = 2 COL_C2 = 3 COL_P2 = 4 COL_S1 = 5 COL_S2 = 6 COL_PTYPE = 7 COL_SAM1 = 8 COL_SAM2 = 9 COLUMNS = ['readID', 'chrom1', 'pos1', 'chrom2', 'pos2', 'strand1', 'strand2', 'pair_type', 'sam1', 'sam2'] UNMAPPED_CHROM = '!' UNMAPPED_POS = 0 UNMAPPED_STRAND = '-' UNANNOTATED_RFRAG = -1
pairsam_format_version = '1.0.0' pairsam_sep = '\t' pairsam_sep_escape = '\\t' sam_sep = '\x19' sam_sep_escape = '\\031' inter_sam_sep = '\x19NEXT_SAM\x19' col_readid = 0 col_c1 = 1 col_p1 = 2 col_c2 = 3 col_p2 = 4 col_s1 = 5 col_s2 = 6 col_ptype = 7 col_sam1 = 8 col_sam2 = 9 columns = ['readID', 'chrom1', 'pos1', 'chrom2', 'pos2', 'strand1', 'strand2', 'pair_type', 'sam1', 'sam2'] unmapped_chrom = '!' unmapped_pos = 0 unmapped_strand = '-' unannotated_rfrag = -1
def sum(number_one, number_two): number_one_int = convert_integer(number_one) number_two_int = convert_integer(number_two) result = number_one_int + number_two_int return result def convert_integer(number_string): convert_integer = int(number_string) return convert_integer answer = sum("1", "2")
def sum(number_one, number_two): number_one_int = convert_integer(number_one) number_two_int = convert_integer(number_two) result = number_one_int + number_two_int return result def convert_integer(number_string): convert_integer = int(number_string) return convert_integer answer = sum('1', '2')
def Bin(L,start,end,x,k): if end > start: mid = (start+end)//2 if (x==L[mid]): j = mid i = mid while(i>-1 and L[i]==x): i-=1 while(j<k and L[j]==x): j+=1 return(i,j) elif x<L[mid]: return Bin(L,start,mid-1,x,k) else: return Bin(L,mid+1,end,x,k) else: return (-22,-22) def findOccOf(L,x): (start,end) = Bin(L,0,len(L),x,len(L)) if start == -22: return(None,None) else: return(start+1,end-1) A = [int(item) for item in input().split(" ")] x = int(input()) print(findOccOf(A,x))
def bin(L, start, end, x, k): if end > start: mid = (start + end) // 2 if x == L[mid]: j = mid i = mid while i > -1 and L[i] == x: i -= 1 while j < k and L[j] == x: j += 1 return (i, j) elif x < L[mid]: return bin(L, start, mid - 1, x, k) else: return bin(L, mid + 1, end, x, k) else: return (-22, -22) def find_occ_of(L, x): (start, end) = bin(L, 0, len(L), x, len(L)) if start == -22: return (None, None) else: return (start + 1, end - 1) a = [int(item) for item in input().split(' ')] x = int(input()) print(find_occ_of(A, x))
class Solution: def findShortestSubArray(self, nums: List[int]) -> int: if not nums: return 0 degree = 0 freqs = {} for num in nums: if num not in freqs: freqs[num] = 0 freqs[num] += 1 for key, value in freqs.items(): if value > degree: degree = value left = 0 right = 0 freqs_window = {} degree_window = 0 ans = float('inf') while right < len(nums): new_number = nums[right] if new_number not in freqs_window: freqs_window[new_number] = 0 freqs_window[new_number] += 1 if freqs_window[new_number] == degree: ans = min(ans, right - left + 1) degree_window = degree while left < right and degree_window == degree: ans = min(ans, right - left + 1) freqs_window[nums[left]] -= 1 left += 1 degree_window = 0 for key, value in freqs_window.items(): if value > degree_window: degree_window = value right += 1 return ans if ans != float('inf') else 1
class Solution: def find_shortest_sub_array(self, nums: List[int]) -> int: if not nums: return 0 degree = 0 freqs = {} for num in nums: if num not in freqs: freqs[num] = 0 freqs[num] += 1 for (key, value) in freqs.items(): if value > degree: degree = value left = 0 right = 0 freqs_window = {} degree_window = 0 ans = float('inf') while right < len(nums): new_number = nums[right] if new_number not in freqs_window: freqs_window[new_number] = 0 freqs_window[new_number] += 1 if freqs_window[new_number] == degree: ans = min(ans, right - left + 1) degree_window = degree while left < right and degree_window == degree: ans = min(ans, right - left + 1) freqs_window[nums[left]] -= 1 left += 1 degree_window = 0 for (key, value) in freqs_window.items(): if value > degree_window: degree_window = value right += 1 return ans if ans != float('inf') else 1
'''Utilities for generating graphs This provides a set of utilities that will allow us to geenrate a girected graph. This assumes that configuration files for all the modules are present in the ``config/modules/`` folder. The files should be JSON files with the folliwing specifications: .. code-block:: JSON { "inputs" : {}, "outputs" : {}, "params" : {} } The ``inputs`` and the ``outputs`` refer to the requirements of the module and the result of the module. Both can be empty, but in that case, they should be represented by empty dictionaries as shown above. All the configuration paramethers for a particular module should go into the dictionary that is referred to by the keyword ``params``. An examples of what can possibly go into the ``inputs`` and ``outputs`` is as follows: .. code-block:: javascript "inputs": { "abc1":{ "type" : "file-csv", "location" : "../data/abc1.csv", "description" : "describe how the data is arranged" } }, "outputs" : { "abc2":{ "type" : "dbTable", "location" : "<dbName.schemaName.tableName>" "dbHost" : "<dbHost>", "dbPort" : "<dbHost>", "dbName" : "<dbName>", "description" : "description of the table" }, "abc3":{ "type" : "file-png", "location" : "../reports/img/Fig1.png", "description" : "some description of the data" } }, "params" : {} In the above code block, the module will comprise of a single input with the name ``abc1`` and outputs with names ``abc2`` and ``abc3``. Each of these objects are associated with two mandatory fields: ``type`` and ``location``. Each ``type`` will typically have a meaningful ``location`` argument associated with it. Example ``type``s and their corresponding ``location`` argument: ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ - "file-file" : "<string containing the location>", - "file-fig" : "<string containing the location>", - "file-csv" : "<string containing the location>", - "file-hdf5" : "<string containing the location>", - "file-meta" : "<string containing the location>", - "folder-checkPoint" : "<string containing the folder>", - "DB-dbTable" : "<dbName.schemaName.tableName>", - "DB-dbColumn" : "<dbName.schemaName.tableName.columnName>" You are welcome to generate new ``types``s. Note that anything starting with a ``file-`` represents a file within your folder structure. Anything starting with ``folder-`` represents a folder. Examples of these include checkpoints of Tensorflow models during training, etc. Anything starting with a ``DB-`` represents a traditional database like Postgres. It is particularly important to name the different inputs and outputs consistently throughout, and this is going to help link the different parts of the graph together. There are functions that allow graphs to be written to the database, and subsequently retreived. It would then be possible to generate graphs from the entire set of modules. Dependencies can then be tracked across different progeams, not just across different modules. Uploading graphs to databases: ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ It is absolutely possible that you would like to upload the graphs into dataabses. This can be done if the current database that you are working with has the following tables: .. code-block:: SQL create schema if not exists graphs; create table graphs.nodes ( program_name text, now timestamp with time zone, node_name text, node_type text, summary text ); create table graphs.edges ( program_name text, now timestamp with time zone, node_from text, node_to text ); There are functions provided that will be able to take the entire graph and upload them directly into the databases. Available Graph Libraries: -------------------------- - ``graphLib``: General purpose libraries for constructing graphs from the module configurations. '''
"""Utilities for generating graphs This provides a set of utilities that will allow us to geenrate a girected graph. This assumes that configuration files for all the modules are present in the ``config/modules/`` folder. The files should be JSON files with the folliwing specifications: .. code-block:: JSON { "inputs" : {}, "outputs" : {}, "params" : {} } The ``inputs`` and the ``outputs`` refer to the requirements of the module and the result of the module. Both can be empty, but in that case, they should be represented by empty dictionaries as shown above. All the configuration paramethers for a particular module should go into the dictionary that is referred to by the keyword ``params``. An examples of what can possibly go into the ``inputs`` and ``outputs`` is as follows: .. code-block:: javascript "inputs": { "abc1":{ "type" : "file-csv", "location" : "../data/abc1.csv", "description" : "describe how the data is arranged" } }, "outputs" : { "abc2":{ "type" : "dbTable", "location" : "<dbName.schemaName.tableName>" "dbHost" : "<dbHost>", "dbPort" : "<dbHost>", "dbName" : "<dbName>", "description" : "description of the table" }, "abc3":{ "type" : "file-png", "location" : "../reports/img/Fig1.png", "description" : "some description of the data" } }, "params" : {} In the above code block, the module will comprise of a single input with the name ``abc1`` and outputs with names ``abc2`` and ``abc3``. Each of these objects are associated with two mandatory fields: ``type`` and ``location``. Each ``type`` will typically have a meaningful ``location`` argument associated with it. Example ``type``s and their corresponding ``location`` argument: ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ - "file-file" : "<string containing the location>", - "file-fig" : "<string containing the location>", - "file-csv" : "<string containing the location>", - "file-hdf5" : "<string containing the location>", - "file-meta" : "<string containing the location>", - "folder-checkPoint" : "<string containing the folder>", - "DB-dbTable" : "<dbName.schemaName.tableName>", - "DB-dbColumn" : "<dbName.schemaName.tableName.columnName>" You are welcome to generate new ``types``s. Note that anything starting with a ``file-`` represents a file within your folder structure. Anything starting with ``folder-`` represents a folder. Examples of these include checkpoints of Tensorflow models during training, etc. Anything starting with a ``DB-`` represents a traditional database like Postgres. It is particularly important to name the different inputs and outputs consistently throughout, and this is going to help link the different parts of the graph together. There are functions that allow graphs to be written to the database, and subsequently retreived. It would then be possible to generate graphs from the entire set of modules. Dependencies can then be tracked across different progeams, not just across different modules. Uploading graphs to databases: ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ It is absolutely possible that you would like to upload the graphs into dataabses. This can be done if the current database that you are working with has the following tables: .. code-block:: SQL create schema if not exists graphs; create table graphs.nodes ( program_name text, now timestamp with time zone, node_name text, node_type text, summary text ); create table graphs.edges ( program_name text, now timestamp with time zone, node_from text, node_to text ); There are functions provided that will be able to take the entire graph and upload them directly into the databases. Available Graph Libraries: -------------------------- - ``graphLib``: General purpose libraries for constructing graphs from the module configurations. """
expected_regimen_to_treatment = [ { "id": "1", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "1" }, { "id": "2", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "2" }, { "id": "3", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "3" }, { "id": "4", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "4" }, { "id": "5", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "5" }, { "id": "6", "regimen_ontology_term_id": "1", "treatment_ontology_term_id": "6" }, { "id": "7", "regimen_ontology_term_id": "2", "treatment_ontology_term_id": "7" }, { "id": "8", "regimen_ontology_term_id": "2", "treatment_ontology_term_id": "1" }, { "id": "9", "regimen_ontology_term_id": "2", "treatment_ontology_term_id": "8" } ]
expected_regimen_to_treatment = [{'id': '1', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '1'}, {'id': '2', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '2'}, {'id': '3', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '3'}, {'id': '4', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '4'}, {'id': '5', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '5'}, {'id': '6', 'regimen_ontology_term_id': '1', 'treatment_ontology_term_id': '6'}, {'id': '7', 'regimen_ontology_term_id': '2', 'treatment_ontology_term_id': '7'}, {'id': '8', 'regimen_ontology_term_id': '2', 'treatment_ontology_term_id': '1'}, {'id': '9', 'regimen_ontology_term_id': '2', 'treatment_ontology_term_id': '8'}]
def test_java_version(host): ansible_vars = host.ansible.get_variables() java_version = ansible_vars.get('java__version') java_output = host.run('java -version') assert str(java_version) + '.' in java_output.stderr
def test_java_version(host): ansible_vars = host.ansible.get_variables() java_version = ansible_vars.get('java__version') java_output = host.run('java -version') assert str(java_version) + '.' in java_output.stderr
# Copyright 2018 Ocean Protocol Foundation # SPDX-License-Identifier: Apache-2.0 class SecretStoreMock: args = None id_to_document = dict() def __init__(self, secret_store_url, keeper_url, account): self.args = (secret_store_url, keeper_url, account) def set_secret_store_url(self, url): return def encrypt_document(self, document_id, document, threshold=0): encrypted = f'{self}.{document_id}!!{document}!!{threshold}' self.id_to_document[document_id] = (document, encrypted) return encrypted def decrypt_document(self, document_id, encrypted_document): doc, encrypted = self.id_to_document.get(document_id) assert encrypted == encrypted_document return doc
class Secretstoremock: args = None id_to_document = dict() def __init__(self, secret_store_url, keeper_url, account): self.args = (secret_store_url, keeper_url, account) def set_secret_store_url(self, url): return def encrypt_document(self, document_id, document, threshold=0): encrypted = f'{self}.{document_id}!!{document}!!{threshold}' self.id_to_document[document_id] = (document, encrypted) return encrypted def decrypt_document(self, document_id, encrypted_document): (doc, encrypted) = self.id_to_document.get(document_id) assert encrypted == encrypted_document return doc
m1 = 0; m2 = 0; n = int(input()) while n: n -= 1 a, b = map(int, input().split()) m1 = max(m1, a*b) m = int(input()) while m: m -= 1 a, b = map(int, input().split()) m2 = max(m2, a*b) if m1 == m2: print("Tie") elif m1 > m2: print("Casper") else: print("Natalie")
m1 = 0 m2 = 0 n = int(input()) while n: n -= 1 (a, b) = map(int, input().split()) m1 = max(m1, a * b) m = int(input()) while m: m -= 1 (a, b) = map(int, input().split()) m2 = max(m2, a * b) if m1 == m2: print('Tie') elif m1 > m2: print('Casper') else: print('Natalie')
class ListNode: def __init__(self, val, next = None): self.val = val self.next = next class LinkedList: def __init__(self): self.head = None def getIntersectionNode(self,headA, headB): if headA is None or headB is None: return None pa = headA # 2 pointers pb = headB LinkedList.printNode(pa) LinkedList.printNode(pb) def equal(a,b): if a == None and b == None: return True if(a != None and b != None and a.val == b.val): return True return False while not equal(pa,pb): # if either pointer hits the end, switch head and continue the second traversal, # if not hit the end, just move on to next pa = headB if pa is None else pa.next pb = headA if pb is None else pb.next if pa is not None: print("a: ", pa.val) else: print("a: None") if pb is not None: print("b: ",pb.val) else: print("b: None") LinkedList.printNode(pa) return pa def getIntersectionNode2(self,A, B): if not A or not B: return None # Concatenate A and B LinkedList.printNode(A) LinkedList.printNode(B) last = A while last.next != None: last = last.next last.next = B LinkedList.printNode(A) # Find the start of the loop fast = slow = A while fast and fast.next: slow, fast = slow.next, fast.next.next print('slow: ',slow.val) print('fast: ',fast.val) if slow == fast: print('We found something here') fast = A while fast != slow: slow, fast = slow.next, fast.next last.next = None return slow # No loop found last.next = None return None def shift(self, val): new_node = ListNode(val) new_node.next = self.head self.head = new_node @staticmethod def printNode(head): result = [] if head is None: print("List node null") while(head): result.append(head.val) head=head.next print(result) if __name__ == '__main__': lk = LinkedList() a = [4,1,8,4,5] b = [7,6,1,8,4,5] headA = ListNode(a[0]) headB = ListNode(b[0]) first = headA second = headB first.next= ListNode(a[1]) first.next.next= ListNode(a[2]) first.next.next.next= ListNode(a[3]) first.next.next.next.next= ListNode(a[4]) second.next= ListNode(b[1]) second.next.next= ListNode(b[2]) second.next.next.next= ListNode(b[3]) second.next.next.next.next= ListNode(b[4]) second.next.next.next.next.next= ListNode(b[5]) # for i in a[1::]: # print(i) # first.next = ListNode(i) # for i in b[1::]: # second.next = ListNode(i) LinkedList.printNode(headA) LinkedList.printNode(headB) res = lk.getIntersectionNode(headA,headB) LinkedList.printNode(res)
class Listnode: def __init__(self, val, next=None): self.val = val self.next = next class Linkedlist: def __init__(self): self.head = None def get_intersection_node(self, headA, headB): if headA is None or headB is None: return None pa = headA pb = headB LinkedList.printNode(pa) LinkedList.printNode(pb) def equal(a, b): if a == None and b == None: return True if a != None and b != None and (a.val == b.val): return True return False while not equal(pa, pb): pa = headB if pa is None else pa.next pb = headA if pb is None else pb.next if pa is not None: print('a: ', pa.val) else: print('a: None') if pb is not None: print('b: ', pb.val) else: print('b: None') LinkedList.printNode(pa) return pa def get_intersection_node2(self, A, B): if not A or not B: return None LinkedList.printNode(A) LinkedList.printNode(B) last = A while last.next != None: last = last.next last.next = B LinkedList.printNode(A) fast = slow = A while fast and fast.next: (slow, fast) = (slow.next, fast.next.next) print('slow: ', slow.val) print('fast: ', fast.val) if slow == fast: print('We found something here') fast = A while fast != slow: (slow, fast) = (slow.next, fast.next) last.next = None return slow last.next = None return None def shift(self, val): new_node = list_node(val) new_node.next = self.head self.head = new_node @staticmethod def print_node(head): result = [] if head is None: print('List node null') while head: result.append(head.val) head = head.next print(result) if __name__ == '__main__': lk = linked_list() a = [4, 1, 8, 4, 5] b = [7, 6, 1, 8, 4, 5] head_a = list_node(a[0]) head_b = list_node(b[0]) first = headA second = headB first.next = list_node(a[1]) first.next.next = list_node(a[2]) first.next.next.next = list_node(a[3]) first.next.next.next.next = list_node(a[4]) second.next = list_node(b[1]) second.next.next = list_node(b[2]) second.next.next.next = list_node(b[3]) second.next.next.next.next = list_node(b[4]) second.next.next.next.next.next = list_node(b[5]) LinkedList.printNode(headA) LinkedList.printNode(headB) res = lk.getIntersectionNode(headA, headB) LinkedList.printNode(res)
class Credential: ''' class that generates new instance for credentials ''' credential_list=[] def __init__(self,account_name,password): ''' __init__ method that helps us define properties for our objects. Args: account_name: New credential account name. password : New credential password. ''' self.account_name = account_name self.password = password credential_list=[] def save_credential(self): ''' save_credential method saves credential object into credential_list ''' Credential.credential_list.append(self) def delete_credential(self): ''' delete_credential method deletes a saved credential from the credential_list ''' Credential.credential_list.remove(self) @classmethod def find_by_name(cls,name): ''' Method that takes in a number and returns a contact that matches that number. Args: number: password to search for Returns : Credential of account that matches the number. ''' for credential in cls.credential_list: if credential.account_name == name: return credential @classmethod def display_credentials(cls): ''' method that returns the credential list ''' return cls.credential_list @classmethod def credential_exist(cls,name): ''' Method that checks if a credential exists from the credential list. Args: account_name: accopunt name to search if it exists Returns : Boolean: True or false depending if the credential exists ''' for credential in cls.credential_list: if credential.account_name == name: return True return False
class Credential: """ class that generates new instance for credentials """ credential_list = [] def __init__(self, account_name, password): """ __init__ method that helps us define properties for our objects. Args: account_name: New credential account name. password : New credential password. """ self.account_name = account_name self.password = password credential_list = [] def save_credential(self): """ save_credential method saves credential object into credential_list """ Credential.credential_list.append(self) def delete_credential(self): """ delete_credential method deletes a saved credential from the credential_list """ Credential.credential_list.remove(self) @classmethod def find_by_name(cls, name): """ Method that takes in a number and returns a contact that matches that number. Args: number: password to search for Returns : Credential of account that matches the number. """ for credential in cls.credential_list: if credential.account_name == name: return credential @classmethod def display_credentials(cls): """ method that returns the credential list """ return cls.credential_list @classmethod def credential_exist(cls, name): """ Method that checks if a credential exists from the credential list. Args: account_name: accopunt name to search if it exists Returns : Boolean: True or false depending if the credential exists """ for credential in cls.credential_list: if credential.account_name == name: return True return False
times = input("How many times do I have to tell you? ") times = int(times) for time in range(times): print("CLEAN UP YOUR ROOM")
times = input('How many times do I have to tell you? ') times = int(times) for time in range(times): print('CLEAN UP YOUR ROOM')
touched_files = danger.git.modified_files + danger.git.created_files has_source_changes = any(map(lambda f: f.startswith("danger_python"), touched_files)) has_changelog_entry = "CHANGELOG.md" in touched_files is_trivial = "#trivial" in danger.github.pr.title if has_source_changes and not has_changelog_entry and not is_trivial: warn("Please, add a CHANGELOG.md entry for non-trivial changes")
touched_files = danger.git.modified_files + danger.git.created_files has_source_changes = any(map(lambda f: f.startswith('danger_python'), touched_files)) has_changelog_entry = 'CHANGELOG.md' in touched_files is_trivial = '#trivial' in danger.github.pr.title if has_source_changes and (not has_changelog_entry) and (not is_trivial): warn('Please, add a CHANGELOG.md entry for non-trivial changes')
def facerecognizer(): i01.opencv.capture() i01.opencv.addFilter("PyramidDown") i01.opencv.setDisplayFilter("FaceRecognizer") fr=i01.opencv.addFilter("FaceRecognizer") fr.train()# it takes some time to train and be able to recognize face #if((lastName+"-inmoovWebKit" not in inmoovWebKit.getSessionNames())): #mouth.speak("Hello "+lastName) #sleep(2) #inmoovWebKit.getResponse(lastName,data)
def facerecognizer(): i01.opencv.capture() i01.opencv.addFilter('PyramidDown') i01.opencv.setDisplayFilter('FaceRecognizer') fr = i01.opencv.addFilter('FaceRecognizer') fr.train()
class ARGA ( object ) : def __init__( self ) : pass def __len__( self ) : return 0 def build_primitive_dispatch( self ) : return '' class ARG( ARGA ) : def __init__( self, *pattern ) : self.pattern = pattern CORE.register_pattern( self ) def __repr__( self ) : return 'ARG[ ' + ', '.join( [ str( x ) for x in self.pattern ] ) + ' ]' def __len__( self ) : return len( self.pattern ) def __getitem__( self, key ) : return self.pattern[ key ] def __eq__( self, other ) : if ( len( self ) != len( other ) ) : return False for i in range( len( self ) ) : if ( not ( self[ i ] == other[ i ] ) ) : return False return True def build_actual_parameters( self, ACTION = 'ACTION' ) : return ', '.join( [ 'CONTEXT', ACTION ] + self.build_function_actual_parameter_elements() ) def build_formal_parameters( self, type = 'ANY' ) : return ', '.join( [ 'ANY CONTEXT', type + ' ACTION' ] + self.build_function_formal_parameter_elements() ) def build_function_name( self ) : return '_'.join( self.build_function_name_component_elements() ) def build_jump_function_signature( self, suffix = '' ) : return 'void JUMP__' + self.build_function_name() + suffix + '( ' + ', '.join( [ 'ANY CONTEXT', 'ANY ACTION' ] + self.build_function_formal_parameter_elements() ) + ' )' def build_parameter_declare( self ) : return '\n'.join( [ '\n'.join( [ '\n'.join( [ self.pattern[ i ].build_formal_parameter() + ' = ' + self.pattern[ i ].build_cast( 'nom_array_mutable_nolock_get( message, ' + str( i ) + ' )' ) + ' ;', ] ) for i in range( len( self.pattern ) ) if self.pattern[ i ].build_formal_parameter() != '' ] ), ] ) def build_type_objects( self ) : return ''.join( [ '$CA(GROUPING_new( $LISTNEW(', ', '.join( [ p.build_type_object() for p in self.pattern ]), ') ))', ] ) def build_message_objects( self ) : return ''.join( [ '$LISTNEW( ', ', '.join( self.build_message_object_elements() ), ' )', ] ) def create_jump_function_forward( self ) : return FUNCTION( self.build_jump_function_signature( '__forward' ), 'JUMP__' + self.build_function_name() + '( ' + self.build_actual_parameters( '$C(FRAME,ACTION)->parent' ) + ' ) ;' ) def create_jump_function_fail( self ) : return FUNCTION( self.build_jump_function_signature( '__fail' ), 'nom_fail( CONTEXT, "Unrecognized message.", $NONE ) ;', ) def create_jump_function_fallback( self ) : return FUNCTION( self.build_jump_function_signature( '__fallback' ), 'nom_send_nonempty_flat_phrase_message( CONTEXT, ACTION, ' + self.build_message_objects() + ' ) ;' ) def create_jump_function( self ) : return FUNCTION( self.build_jump_function_signature(), '\n'.join( [ 'static void (* const jump_table[])( ' + self.build_formal_parameters() + ' ) = {', ', '.join( [ p.get_action_function( self ) for p in CORE.objectives ] ), '} ;', '(* jump_table[ ACTION->pix ])( ' + self.build_actual_parameters() + ' ) ;', ] ) ) def build_message_object_elements( self ) : return filter( None, [ p.build_message_object() for p in self.pattern ] ) def build_function_name_component_elements( self ) : return filter( None, [ p.build_name_component() for p in self.pattern ] ) def build_function_formal_parameter_elements( self ) : return filter( None, [ p.build_formal_parameter() for p in self.pattern ] ) def build_function_actual_parameter_elements( self ) : return filter( None, [ p.build_actual_parameter() for p in self.pattern ] ) def build_primitive_dispatch( self ) : return '\n'.join( [ '$IFLET( that, ARRAY_MUTABLE_NOLOCK,THAT ) ;', '\n'.join( [ pv.build_primitive_dispatch( pi ) for pi, pv in enumerate( self.pattern ) ] ) ] )
class Arga(object): def __init__(self): pass def __len__(self): return 0 def build_primitive_dispatch(self): return '' class Arg(ARGA): def __init__(self, *pattern): self.pattern = pattern CORE.register_pattern(self) def __repr__(self): return 'ARG[ ' + ', '.join([str(x) for x in self.pattern]) + ' ]' def __len__(self): return len(self.pattern) def __getitem__(self, key): return self.pattern[key] def __eq__(self, other): if len(self) != len(other): return False for i in range(len(self)): if not self[i] == other[i]: return False return True def build_actual_parameters(self, ACTION='ACTION'): return ', '.join(['CONTEXT', ACTION] + self.build_function_actual_parameter_elements()) def build_formal_parameters(self, type='ANY'): return ', '.join(['ANY CONTEXT', type + ' ACTION'] + self.build_function_formal_parameter_elements()) def build_function_name(self): return '_'.join(self.build_function_name_component_elements()) def build_jump_function_signature(self, suffix=''): return 'void JUMP__' + self.build_function_name() + suffix + '( ' + ', '.join(['ANY CONTEXT', 'ANY ACTION'] + self.build_function_formal_parameter_elements()) + ' )' def build_parameter_declare(self): return '\n'.join(['\n'.join(['\n'.join([self.pattern[i].build_formal_parameter() + ' = ' + self.pattern[i].build_cast('nom_array_mutable_nolock_get( message, ' + str(i) + ' )') + ' ;']) for i in range(len(self.pattern)) if self.pattern[i].build_formal_parameter() != ''])]) def build_type_objects(self): return ''.join(['$CA(GROUPING_new( $LISTNEW(', ', '.join([p.build_type_object() for p in self.pattern]), ') ))']) def build_message_objects(self): return ''.join(['$LISTNEW( ', ', '.join(self.build_message_object_elements()), ' )']) def create_jump_function_forward(self): return function(self.build_jump_function_signature('__forward'), 'JUMP__' + self.build_function_name() + '( ' + self.build_actual_parameters('$C(FRAME,ACTION)->parent') + ' ) ;') def create_jump_function_fail(self): return function(self.build_jump_function_signature('__fail'), 'nom_fail( CONTEXT, "Unrecognized message.", $NONE ) ;') def create_jump_function_fallback(self): return function(self.build_jump_function_signature('__fallback'), 'nom_send_nonempty_flat_phrase_message( CONTEXT, ACTION, ' + self.build_message_objects() + ' ) ;') def create_jump_function(self): return function(self.build_jump_function_signature(), '\n'.join(['static void (* const jump_table[])( ' + self.build_formal_parameters() + ' ) = {', ', '.join([p.get_action_function(self) for p in CORE.objectives]), '} ;', '(* jump_table[ ACTION->pix ])( ' + self.build_actual_parameters() + ' ) ;'])) def build_message_object_elements(self): return filter(None, [p.build_message_object() for p in self.pattern]) def build_function_name_component_elements(self): return filter(None, [p.build_name_component() for p in self.pattern]) def build_function_formal_parameter_elements(self): return filter(None, [p.build_formal_parameter() for p in self.pattern]) def build_function_actual_parameter_elements(self): return filter(None, [p.build_actual_parameter() for p in self.pattern]) def build_primitive_dispatch(self): return '\n'.join(['$IFLET( that, ARRAY_MUTABLE_NOLOCK,THAT ) ;', '\n'.join([pv.build_primitive_dispatch(pi) for (pi, pv) in enumerate(self.pattern)])])
def setup (): strokeWeight(140) size (500, 500) smooth () noLoop () noStroke() def draw (): background (50) fill (94, 206, 40, 250) ellipse (100, 100, 150, 150) fill (94, 206, 40, 150) ellipse (100, 200, 150, 150) fill (94, 206, 40, 100) ellipse (100, 300, 150, 150) fill (94, 206, 40, 50) ellipse (100, 400, 150, 150)
def setup(): stroke_weight(140) size(500, 500) smooth() no_loop() no_stroke() def draw(): background(50) fill(94, 206, 40, 250) ellipse(100, 100, 150, 150) fill(94, 206, 40, 150) ellipse(100, 200, 150, 150) fill(94, 206, 40, 100) ellipse(100, 300, 150, 150) fill(94, 206, 40, 50) ellipse(100, 400, 150, 150)
{ 'targets': [ { 'target_name': 'serialport', 'sources': [ 'src/serialport.cpp', 'src/serialport_unix.cpp', ], 'conditions': [ ['OS=="win"', { 'sources': [ "src/serialport_win.cpp", 'src/win/disphelper.c', 'src/win/enumser.cpp', ], } ], ['OS!="win"', { 'sources': [ 'src/serialport_unix.cpp', ], } ], ], }, ], }
{'targets': [{'target_name': 'serialport', 'sources': ['src/serialport.cpp', 'src/serialport_unix.cpp'], 'conditions': [['OS=="win"', {'sources': ['src/serialport_win.cpp', 'src/win/disphelper.c', 'src/win/enumser.cpp']}], ['OS!="win"', {'sources': ['src/serialport_unix.cpp']}]]}]}
# Create a file phonebook.det that stores the details in following format: # Name Phone # Jiving 8666000 # Kriti 1010101 # Obtain the details from the user. fileObj = open("phonebook.det","w") fileObj.write("Name \t") fileObj.write("Phone \t") fileObj.write("\n") while True : name = input("Enter Name: ") fileObj.write(name +"\t") phone = input("Enter Phone: ") fileObj.write(phone + "\t") fileObj.write("\n") user = input("Enter 'Q' or 'q' to quit (Q/q) :-") if user == "Q" or user == "q": break fileObj.close() print("Thankyou") # f1.close() # f2.close()
file_obj = open('phonebook.det', 'w') fileObj.write('Name \t') fileObj.write('Phone \t') fileObj.write('\n') while True: name = input('Enter Name: ') fileObj.write(name + '\t') phone = input('Enter Phone: ') fileObj.write(phone + '\t') fileObj.write('\n') user = input("Enter 'Q' or 'q' to quit (Q/q) :-") if user == 'Q' or user == 'q': break fileObj.close() print('Thankyou')
def readBinaryDataSet(metaFilePath,binaryFilePath): dfmeta = pd.read_csv(metaFilePath) binaryFile = open(binaryFilePath,'rb') # print binaryFile.seek() FileVars={} for ind in dfmeta.index: binaryFile.seek(dfmeta.loc[ind,'startBytePosition']) typenum = None if dfmeta.loc[ind,'internalVartype'] == 'int': typenum = np.int32 if dfmeta.loc[ind,'internalVartype'] == 'double': typenum = np.float64 if dfmeta.loc[ind,'internalVartype'] == 'float': typenum = np.float S = np.fromfile(binaryFile, dtype=typenum,count = dfmeta.loc[ind,'count']) if dfmeta.loc[ind,'nrows']>0 and dfmeta.loc[ind,'ncols']>0: S = S.reshape((dfmeta.loc[ind,'nrows'],dfmeta.loc[ind,'ncols']),order='F') FileVars[dfmeta.loc[ind,'variable_name']] = S # break return FileVars
def read_binary_data_set(metaFilePath, binaryFilePath): dfmeta = pd.read_csv(metaFilePath) binary_file = open(binaryFilePath, 'rb') file_vars = {} for ind in dfmeta.index: binaryFile.seek(dfmeta.loc[ind, 'startBytePosition']) typenum = None if dfmeta.loc[ind, 'internalVartype'] == 'int': typenum = np.int32 if dfmeta.loc[ind, 'internalVartype'] == 'double': typenum = np.float64 if dfmeta.loc[ind, 'internalVartype'] == 'float': typenum = np.float s = np.fromfile(binaryFile, dtype=typenum, count=dfmeta.loc[ind, 'count']) if dfmeta.loc[ind, 'nrows'] > 0 and dfmeta.loc[ind, 'ncols'] > 0: s = S.reshape((dfmeta.loc[ind, 'nrows'], dfmeta.loc[ind, 'ncols']), order='F') FileVars[dfmeta.loc[ind, 'variable_name']] = S return FileVars
def hello_world(event): return f"Hello, World!" def hello_bucket(event, context): return f"A new file was uploaded to the bucket"
def hello_world(event): return f'Hello, World!' def hello_bucket(event, context): return f'A new file was uploaded to the bucket'
def solve(): for n in range(1, 1001): for m in range(n + 1, 1001): a, b, c = (m**2 - n**2, 2 * m * n, m**2 + n**2) if a + b + c == 1000: return a * b * c if __name__ == "__main__": print(solve())
def solve(): for n in range(1, 1001): for m in range(n + 1, 1001): (a, b, c) = (m ** 2 - n ** 2, 2 * m * n, m ** 2 + n ** 2) if a + b + c == 1000: return a * b * c if __name__ == '__main__': print(solve())
def matrixElementsSum(matrix): sum = 0 for i in range(0,len(matrix)-1): for j in range(0,len(matrix[i])): if matrix[i][j] == 0: matrix[i+1][j] = 0 for row in matrix: for element in row: sum = sum + element return sum
def matrix_elements_sum(matrix): sum = 0 for i in range(0, len(matrix) - 1): for j in range(0, len(matrix[i])): if matrix[i][j] == 0: matrix[i + 1][j] = 0 for row in matrix: for element in row: sum = sum + element return sum
class MapPiece(object): name = "" tiles = "" symbolic_links = {} spawn_ratios = tuple() spawners = tuple() connectors = {} @classmethod def write_tiles_level(cls, level, left_x, top_y): local_x = 0 local_y = 0 for line in cls.tiles: for char in line: tile_link = cls.symbolic_links.get(char, None) if tile_link: world_coordinates = (left_x + local_x, top_y + local_y) level.add_tile(world_coordinates, tile_link) else: raise Exception("Char {} has no link".format(char)) local_x += 1 local_x = 0 local_y += 1 @classmethod def get_width(cls): return max([len(line) for line in cls.tiles]) @classmethod def get_height(cls): return len(cls.tiles)
class Mappiece(object): name = '' tiles = '' symbolic_links = {} spawn_ratios = tuple() spawners = tuple() connectors = {} @classmethod def write_tiles_level(cls, level, left_x, top_y): local_x = 0 local_y = 0 for line in cls.tiles: for char in line: tile_link = cls.symbolic_links.get(char, None) if tile_link: world_coordinates = (left_x + local_x, top_y + local_y) level.add_tile(world_coordinates, tile_link) else: raise exception('Char {} has no link'.format(char)) local_x += 1 local_x = 0 local_y += 1 @classmethod def get_width(cls): return max([len(line) for line in cls.tiles]) @classmethod def get_height(cls): return len(cls.tiles)
# Copyright 2010-2021, Google Inc. # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of Google Inc. nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. { 'targets': [ { 'target_name': 'ios_engine_main', 'type': 'executable', 'sources': [ 'ios_engine_main.cc', ], 'dependencies': [ 'ios_engine', ], }, { 'target_name': 'ios_engine', 'type': 'static_library', 'sources': [ 'ios_engine.cc', 'ios_engine.h', ], 'dependencies': [ '../base/absl.gyp:absl_synchronization', '../base/base.gyp:base_core', '../composer/composer.gyp:composer', '../config/config.gyp:config_handler', '../data_manager/oss/oss_data_manager.gyp:oss_data_manager', '../engine/engine.gyp:engine_builder', '../engine/engine.gyp:minimal_engine', '../protocol/protocol.gyp:commands_proto', '../protocol/protocol.gyp:config_proto', '../session/session.gyp:session', '../session/session.gyp:session_handler', ], }, { 'target_name': 'libmozc_gboard', 'type': 'none', 'variables': { # libraries to be packed into a single library for Gboard. # This list is generated from the necessary libraries to build # ios_engine_main except for libprotobuf.a. libprotobuf.a is already # included by Gboard. 'src_libs': [ '<(PRODUCT_DIR)/libbase.a', '<(PRODUCT_DIR)/libbase_core.a', '<(PRODUCT_DIR)/libbit_vector_based_array.a', '<(PRODUCT_DIR)/libcalculator.a', '<(PRODUCT_DIR)/libcandidates_proto.a', '<(PRODUCT_DIR)/libcharacter_form_manager.a', '<(PRODUCT_DIR)/libclock.a', '<(PRODUCT_DIR)/libcodec.a', '<(PRODUCT_DIR)/libcodec_factory.a', '<(PRODUCT_DIR)/libcodec_util.a', '<(PRODUCT_DIR)/libcommands_proto.a', '<(PRODUCT_DIR)/libcomposer.a', '<(PRODUCT_DIR)/libconfig_file_stream.a', '<(PRODUCT_DIR)/libconfig_handler.a', '<(PRODUCT_DIR)/libconfig_proto.a', '<(PRODUCT_DIR)/libconnector.a', '<(PRODUCT_DIR)/libconversion_request.a', '<(PRODUCT_DIR)/libconverter.a', '<(PRODUCT_DIR)/libconverter_util.a', '<(PRODUCT_DIR)/libdata_manager.a', '<(PRODUCT_DIR)/libdataset_proto.a', '<(PRODUCT_DIR)/libdataset_reader.a', '<(PRODUCT_DIR)/libdictionary_file.a', '<(PRODUCT_DIR)/libdictionary_impl.a', '<(PRODUCT_DIR)/libencryptor.a', '<(PRODUCT_DIR)/libengine.a', '<(PRODUCT_DIR)/libengine_builder.a', '<(PRODUCT_DIR)/libengine_builder_proto.a', '<(PRODUCT_DIR)/libflags.a', '<(PRODUCT_DIR)/libgoogle_data_manager.a', '<(PRODUCT_DIR)/libhash.a', '<(PRODUCT_DIR)/libimmutable_converter.a', '<(PRODUCT_DIR)/libimmutable_converter_interface.a', '<(PRODUCT_DIR)/libios_engine.a', '<(PRODUCT_DIR)/libkey_event_util.a', '<(PRODUCT_DIR)/libkey_parser.a', '<(PRODUCT_DIR)/libkeymap.a', '<(PRODUCT_DIR)/libkeymap_factory.a', '<(PRODUCT_DIR)/liblattice.a', '<(PRODUCT_DIR)/liblouds.a', '<(PRODUCT_DIR)/liblouds_trie.a', '<(PRODUCT_DIR)/libmultifile.a', '<(PRODUCT_DIR)/libmutex.a', '<(PRODUCT_DIR)/libobfuscator_support.a', '<(PRODUCT_DIR)/libprediction.a', '<(PRODUCT_DIR)/libprediction_protocol.a', # libprotobuf is included in a different place. # '<(PRODUCT_DIR)/libprotobuf.a', '<(PRODUCT_DIR)/librequest_test_util.a', '<(PRODUCT_DIR)/librewriter.a', '<(PRODUCT_DIR)/libsegmenter.a', '<(PRODUCT_DIR)/libsegmenter_data_proto.a', '<(PRODUCT_DIR)/libsegments.a', '<(PRODUCT_DIR)/libserialized_dictionary.a', '<(PRODUCT_DIR)/libserialized_string_array.a', '<(PRODUCT_DIR)/libsession.a', '<(PRODUCT_DIR)/libsession_handler.a', '<(PRODUCT_DIR)/libsession_internal.a', '<(PRODUCT_DIR)/libsession_usage_stats_util.a', '<(PRODUCT_DIR)/libsimple_succinct_bit_vector_index.a', '<(PRODUCT_DIR)/libsingleton.a', '<(PRODUCT_DIR)/libstats_config_util.a', '<(PRODUCT_DIR)/libstorage.a', '<(PRODUCT_DIR)/libsuffix_dictionary.a', '<(PRODUCT_DIR)/libsuggestion_filter.a', '<(PRODUCT_DIR)/libsuppression_dictionary.a', '<(PRODUCT_DIR)/libsystem_dictionary.a', '<(PRODUCT_DIR)/libsystem_dictionary_codec.a', '<(PRODUCT_DIR)/libtext_dictionary_loader.a', '<(PRODUCT_DIR)/libtransliteration.a', '<(PRODUCT_DIR)/libusage_stats.a', '<(PRODUCT_DIR)/libusage_stats_protocol.a', '<(PRODUCT_DIR)/libuser_dictionary.a', '<(PRODUCT_DIR)/libuser_dictionary_storage_proto.a', '<(PRODUCT_DIR)/libuser_pos.a', '<(PRODUCT_DIR)/libvalue_dictionary.a', ] }, 'actions': [ { 'action_name': 'libtool', 'outputs': ['<(PRODUCT_DIR)/libmozc_gboard.a'], 'inputs': ['<@(src_libs)'], 'action': [ 'libtool', '-static', '-o', '<(PRODUCT_DIR)/libmozc_gboard.a', '<@(src_libs)', ], }, ], }, ], }
{'targets': [{'target_name': 'ios_engine_main', 'type': 'executable', 'sources': ['ios_engine_main.cc'], 'dependencies': ['ios_engine']}, {'target_name': 'ios_engine', 'type': 'static_library', 'sources': ['ios_engine.cc', 'ios_engine.h'], 'dependencies': ['../base/absl.gyp:absl_synchronization', '../base/base.gyp:base_core', '../composer/composer.gyp:composer', '../config/config.gyp:config_handler', '../data_manager/oss/oss_data_manager.gyp:oss_data_manager', '../engine/engine.gyp:engine_builder', '../engine/engine.gyp:minimal_engine', '../protocol/protocol.gyp:commands_proto', '../protocol/protocol.gyp:config_proto', '../session/session.gyp:session', '../session/session.gyp:session_handler']}, {'target_name': 'libmozc_gboard', 'type': 'none', 'variables': {'src_libs': ['<(PRODUCT_DIR)/libbase.a', '<(PRODUCT_DIR)/libbase_core.a', '<(PRODUCT_DIR)/libbit_vector_based_array.a', '<(PRODUCT_DIR)/libcalculator.a', '<(PRODUCT_DIR)/libcandidates_proto.a', '<(PRODUCT_DIR)/libcharacter_form_manager.a', '<(PRODUCT_DIR)/libclock.a', '<(PRODUCT_DIR)/libcodec.a', '<(PRODUCT_DIR)/libcodec_factory.a', '<(PRODUCT_DIR)/libcodec_util.a', '<(PRODUCT_DIR)/libcommands_proto.a', '<(PRODUCT_DIR)/libcomposer.a', '<(PRODUCT_DIR)/libconfig_file_stream.a', '<(PRODUCT_DIR)/libconfig_handler.a', '<(PRODUCT_DIR)/libconfig_proto.a', '<(PRODUCT_DIR)/libconnector.a', '<(PRODUCT_DIR)/libconversion_request.a', '<(PRODUCT_DIR)/libconverter.a', '<(PRODUCT_DIR)/libconverter_util.a', '<(PRODUCT_DIR)/libdata_manager.a', '<(PRODUCT_DIR)/libdataset_proto.a', '<(PRODUCT_DIR)/libdataset_reader.a', '<(PRODUCT_DIR)/libdictionary_file.a', '<(PRODUCT_DIR)/libdictionary_impl.a', '<(PRODUCT_DIR)/libencryptor.a', '<(PRODUCT_DIR)/libengine.a', '<(PRODUCT_DIR)/libengine_builder.a', '<(PRODUCT_DIR)/libengine_builder_proto.a', '<(PRODUCT_DIR)/libflags.a', '<(PRODUCT_DIR)/libgoogle_data_manager.a', '<(PRODUCT_DIR)/libhash.a', '<(PRODUCT_DIR)/libimmutable_converter.a', '<(PRODUCT_DIR)/libimmutable_converter_interface.a', '<(PRODUCT_DIR)/libios_engine.a', '<(PRODUCT_DIR)/libkey_event_util.a', '<(PRODUCT_DIR)/libkey_parser.a', '<(PRODUCT_DIR)/libkeymap.a', '<(PRODUCT_DIR)/libkeymap_factory.a', '<(PRODUCT_DIR)/liblattice.a', '<(PRODUCT_DIR)/liblouds.a', '<(PRODUCT_DIR)/liblouds_trie.a', '<(PRODUCT_DIR)/libmultifile.a', '<(PRODUCT_DIR)/libmutex.a', '<(PRODUCT_DIR)/libobfuscator_support.a', '<(PRODUCT_DIR)/libprediction.a', '<(PRODUCT_DIR)/libprediction_protocol.a', '<(PRODUCT_DIR)/librequest_test_util.a', '<(PRODUCT_DIR)/librewriter.a', '<(PRODUCT_DIR)/libsegmenter.a', '<(PRODUCT_DIR)/libsegmenter_data_proto.a', '<(PRODUCT_DIR)/libsegments.a', '<(PRODUCT_DIR)/libserialized_dictionary.a', '<(PRODUCT_DIR)/libserialized_string_array.a', '<(PRODUCT_DIR)/libsession.a', '<(PRODUCT_DIR)/libsession_handler.a', '<(PRODUCT_DIR)/libsession_internal.a', '<(PRODUCT_DIR)/libsession_usage_stats_util.a', '<(PRODUCT_DIR)/libsimple_succinct_bit_vector_index.a', '<(PRODUCT_DIR)/libsingleton.a', '<(PRODUCT_DIR)/libstats_config_util.a', '<(PRODUCT_DIR)/libstorage.a', '<(PRODUCT_DIR)/libsuffix_dictionary.a', '<(PRODUCT_DIR)/libsuggestion_filter.a', '<(PRODUCT_DIR)/libsuppression_dictionary.a', '<(PRODUCT_DIR)/libsystem_dictionary.a', '<(PRODUCT_DIR)/libsystem_dictionary_codec.a', '<(PRODUCT_DIR)/libtext_dictionary_loader.a', '<(PRODUCT_DIR)/libtransliteration.a', '<(PRODUCT_DIR)/libusage_stats.a', '<(PRODUCT_DIR)/libusage_stats_protocol.a', '<(PRODUCT_DIR)/libuser_dictionary.a', '<(PRODUCT_DIR)/libuser_dictionary_storage_proto.a', '<(PRODUCT_DIR)/libuser_pos.a', '<(PRODUCT_DIR)/libvalue_dictionary.a']}, 'actions': [{'action_name': 'libtool', 'outputs': ['<(PRODUCT_DIR)/libmozc_gboard.a'], 'inputs': ['<@(src_libs)'], 'action': ['libtool', '-static', '-o', '<(PRODUCT_DIR)/libmozc_gboard.a', '<@(src_libs)']}]}]}
class Solution: def __init__(self, w: List[int]): self.length = sum(w) self.n = len(w) self.w_pool = [0] for i in range(self.n): self.w_pool.append(self.w_pool[-1] + w[i]) def pickIndex(self) -> int: picked_val = random.uniform(0, self.length) i = 0 left, right = 0, self.n while left < right - 1: mid = (right + left) // 2 if picked_val == self.w_pool[mid]: return mid - 1 elif picked_val > self.w_pool[mid]: left = mid elif picked_val < self.w_pool[mid]: right = mid return left
class Solution: def __init__(self, w: List[int]): self.length = sum(w) self.n = len(w) self.w_pool = [0] for i in range(self.n): self.w_pool.append(self.w_pool[-1] + w[i]) def pick_index(self) -> int: picked_val = random.uniform(0, self.length) i = 0 (left, right) = (0, self.n) while left < right - 1: mid = (right + left) // 2 if picked_val == self.w_pool[mid]: return mid - 1 elif picked_val > self.w_pool[mid]: left = mid elif picked_val < self.w_pool[mid]: right = mid return left
class TrainTaskConfig(object): use_gpu = False # the epoch number to train. pass_num = 2 # the number of sequences contained in a mini-batch. batch_size = 64 # the hyper parameters for Adam optimizer. learning_rate = 0.001 beta1 = 0.9 beta2 = 0.98 eps = 1e-9 # the parameters for learning rate scheduling. warmup_steps = 4000 # the flag indicating to use average loss or sum loss when training. use_avg_cost = False # the directory for saving trained models. model_dir = "trained_models" class InferTaskConfig(object): use_gpu = False # the number of examples in one run for sequence generation. batch_size = 10 # the parameters for beam search. beam_size = 5 max_length = 30 # the number of decoded sentences to output. n_best = 1 # the flags indicating whether to output the special tokens. output_bos = False output_eos = False output_unk = False # the directory for loading the trained model. model_path = "trained_models/pass_1.infer.model" class ModelHyperParams(object): # Dictionary size for source and target language. This model directly uses # paddle.dataset.wmt16 in which <bos>, <eos> and <unk> token has # alreay been added, but the <pad> token is not added. Transformer requires # sequences in a mini-batch are padded to have the same length. A <pad> token is # added into the original dictionary in paddle.dateset.wmt16. # size of source word dictionary. src_vocab_size = 10000 # index for <pad> token in source language. src_pad_idx = src_vocab_size # size of target word dictionay trg_vocab_size = 10000 # index for <pad> token in target language. trg_pad_idx = trg_vocab_size # index for <bos> token bos_idx = 0 # index for <eos> token eos_idx = 1 # index for <unk> token unk_idx = 2 # position value corresponding to the <pad> token. pos_pad_idx = 0 # max length of sequences. It should plus 1 to include position # padding token for position encoding. max_length = 50 # the dimension for word embeddings, which is also the last dimension of # the input and output of multi-head attention, position-wise feed-forward # networks, encoder and decoder. d_model = 512 # size of the hidden layer in position-wise feed-forward networks. d_inner_hid = 1024 # the dimension that keys are projected to for dot-product attention. d_key = 64 # the dimension that values are projected to for dot-product attention. d_value = 64 # number of head used in multi-head attention. n_head = 8 # number of sub-layers to be stacked in the encoder and decoder. n_layer = 6 # dropout rate used by all dropout layers. dropout = 0.1 # Names of position encoding table which will be initialized externally. pos_enc_param_names = ( "src_pos_enc_table", "trg_pos_enc_table", ) # Names of all data layers in encoder listed in order. encoder_input_data_names = ( "src_word", "src_pos", "src_slf_attn_bias", "src_data_shape", "src_slf_attn_pre_softmax_shape", "src_slf_attn_post_softmax_shape", ) # Names of all data layers in decoder listed in order. decoder_input_data_names = ( "trg_word", "trg_pos", "trg_slf_attn_bias", "trg_src_attn_bias", "trg_data_shape", "trg_slf_attn_pre_softmax_shape", "trg_slf_attn_post_softmax_shape", "trg_src_attn_pre_softmax_shape", "trg_src_attn_post_softmax_shape", "enc_output", ) # Names of label related data layers listed in order. label_data_names = ( "lbl_word", "lbl_weight", )
class Traintaskconfig(object): use_gpu = False pass_num = 2 batch_size = 64 learning_rate = 0.001 beta1 = 0.9 beta2 = 0.98 eps = 1e-09 warmup_steps = 4000 use_avg_cost = False model_dir = 'trained_models' class Infertaskconfig(object): use_gpu = False batch_size = 10 beam_size = 5 max_length = 30 n_best = 1 output_bos = False output_eos = False output_unk = False model_path = 'trained_models/pass_1.infer.model' class Modelhyperparams(object): src_vocab_size = 10000 src_pad_idx = src_vocab_size trg_vocab_size = 10000 trg_pad_idx = trg_vocab_size bos_idx = 0 eos_idx = 1 unk_idx = 2 pos_pad_idx = 0 max_length = 50 d_model = 512 d_inner_hid = 1024 d_key = 64 d_value = 64 n_head = 8 n_layer = 6 dropout = 0.1 pos_enc_param_names = ('src_pos_enc_table', 'trg_pos_enc_table') encoder_input_data_names = ('src_word', 'src_pos', 'src_slf_attn_bias', 'src_data_shape', 'src_slf_attn_pre_softmax_shape', 'src_slf_attn_post_softmax_shape') decoder_input_data_names = ('trg_word', 'trg_pos', 'trg_slf_attn_bias', 'trg_src_attn_bias', 'trg_data_shape', 'trg_slf_attn_pre_softmax_shape', 'trg_slf_attn_post_softmax_shape', 'trg_src_attn_pre_softmax_shape', 'trg_src_attn_post_softmax_shape', 'enc_output') label_data_names = ('lbl_word', 'lbl_weight')
INSTALLED_APPS = [ "django_event_sourcing", "django.contrib.auth", "django.contrib.contenttypes", ] DATABASES = { "default": { "ENGINE": "django.db.backends.sqlite3", "NAME": ":memory:", } } SECRET_KEY = "This is a SECRET_KEY" EVENT_TYPES = [ "tests.event_types.DummyEventType", ]
installed_apps = ['django_event_sourcing', 'django.contrib.auth', 'django.contrib.contenttypes'] databases = {'default': {'ENGINE': 'django.db.backends.sqlite3', 'NAME': ':memory:'}} secret_key = 'This is a SECRET_KEY' event_types = ['tests.event_types.DummyEventType']
#! python2.7 ## -*- coding: utf-8 -*- ## kun for Apk View Tracing ## TreeType.py #=============================================================================== # # data structures #=============================================================================== class CRect(object): mLeft = 0 mRight = 0 mTop = 0 mBottom = 0 class CPoint(): x = 0 y = 0 class CTreeNode(object): mClassName = "mClassName" mHashCode = "fffff" mId = "mId" mText = "mText" mAbsoluteRect=CRect() mRect = CRect() mLocation = CPoint() mElement = "element_data" ## just init, it was string data which was dumped from telnet mParentNode = {} ## just init, but it also was CTreeNode object mChildNodes = [] mDepth = 0 mTreeDepth = 0 ## its depth in this view tree mActive = False ## currently, I get this value from (DRAWN, Visiable, Clickable) mVisible = False
class Crect(object): m_left = 0 m_right = 0 m_top = 0 m_bottom = 0 class Cpoint: x = 0 y = 0 class Ctreenode(object): m_class_name = 'mClassName' m_hash_code = 'fffff' m_id = 'mId' m_text = 'mText' m_absolute_rect = c_rect() m_rect = c_rect() m_location = c_point() m_element = 'element_data' m_parent_node = {} m_child_nodes = [] m_depth = 0 m_tree_depth = 0 m_active = False m_visible = False
grades = { "English": 97, "Math": 93, "Art": 74, "Music": 86 } grades.setdefault("Art", 87) # Art key exists. No change. print("Art grade:", grades["Art"]) grades.setdefault("Gym", 97) # Gym key is new. Added and set. print("Gym grade:", grades["Gym"])
grades = {'English': 97, 'Math': 93, 'Art': 74, 'Music': 86} grades.setdefault('Art', 87) print('Art grade:', grades['Art']) grades.setdefault('Gym', 97) print('Gym grade:', grades['Gym'])
strategy_type = "learning" config = { "strategy_id": "svm", "name": "Support Vector Machine Classifier", "parameters": [ { "parameter_id": "C", "label": "C - Error term weight", "type": "float", "default_value": 2.6, }, { "parameter_id": "kernel", "label": "SVM kernel", "selection_values": [ "linear", "poly", "sigmoid", "rbf", ], "default_value": "rbf", }, { "parameter_id": "degree", "label": "Polynom degree", "type": "int", "visibility_rules": [ { "field": "kernel", "values": [ "poly", ], }, ], }, { "parameter_id": "gamma", "label": "Kernel coefficient", "type": "float", "visibility_rules": [ { "field": "kernel", "values": [ "rbf", "poly", "sigmoid", ], }, ], "default_value": 0.02, }, { "parameter_id": "coef0", "label": "Independent term in kernel function", "type": "float", "visibility_rules": [ { "field": "kernel", "values": [ "poly", "sigmoid", ], }, ], }, ], "grid_search": { "small": [ { "C": 0.1, "kernel": "linear", }, { "C": 0.1, "kernel": "poly", "degree": 2, }, { "C": 0.1, "kernel": "poly", "degree": 3, }, { "C": 2.6, "kernel": "rbf", "gamma": 0.005, }, { "C": 0.1, "kernel": "sigmoid", }, ], "medium": [ { "C": 1.0, "kernel": "linear", }, { "C": 1.0, "kernel": "poly", "degree": 2, }, { "C": 1.0, "kernel": "poly", "degree": 3, }, { "C": 2.6, "kernel": "rbf", "gamma": 0.02, }, { "C": 1.0, "kernel": "sigmoid", }, ], "large": [ { "C": 2.0, "kernel": "linear", }, { "C": 2.0, "kernel": "poly", "degree": 2, }, { "C": 2.0, "kernel": "poly", "degree": 3, }, { "C": 2.6, "kernel": "rbf", "gamma": 0.5, }, { "C": 2.0, "kernel": "sigmoid", }, ], } }
strategy_type = 'learning' config = {'strategy_id': 'svm', 'name': 'Support Vector Machine Classifier', 'parameters': [{'parameter_id': 'C', 'label': 'C - Error term weight', 'type': 'float', 'default_value': 2.6}, {'parameter_id': 'kernel', 'label': 'SVM kernel', 'selection_values': ['linear', 'poly', 'sigmoid', 'rbf'], 'default_value': 'rbf'}, {'parameter_id': 'degree', 'label': 'Polynom degree', 'type': 'int', 'visibility_rules': [{'field': 'kernel', 'values': ['poly']}]}, {'parameter_id': 'gamma', 'label': 'Kernel coefficient', 'type': 'float', 'visibility_rules': [{'field': 'kernel', 'values': ['rbf', 'poly', 'sigmoid']}], 'default_value': 0.02}, {'parameter_id': 'coef0', 'label': 'Independent term in kernel function', 'type': 'float', 'visibility_rules': [{'field': 'kernel', 'values': ['poly', 'sigmoid']}]}], 'grid_search': {'small': [{'C': 0.1, 'kernel': 'linear'}, {'C': 0.1, 'kernel': 'poly', 'degree': 2}, {'C': 0.1, 'kernel': 'poly', 'degree': 3}, {'C': 2.6, 'kernel': 'rbf', 'gamma': 0.005}, {'C': 0.1, 'kernel': 'sigmoid'}], 'medium': [{'C': 1.0, 'kernel': 'linear'}, {'C': 1.0, 'kernel': 'poly', 'degree': 2}, {'C': 1.0, 'kernel': 'poly', 'degree': 3}, {'C': 2.6, 'kernel': 'rbf', 'gamma': 0.02}, {'C': 1.0, 'kernel': 'sigmoid'}], 'large': [{'C': 2.0, 'kernel': 'linear'}, {'C': 2.0, 'kernel': 'poly', 'degree': 2}, {'C': 2.0, 'kernel': 'poly', 'degree': 3}, {'C': 2.6, 'kernel': 'rbf', 'gamma': 0.5}, {'C': 2.0, 'kernel': 'sigmoid'}]}}
# is_learning = True # while is_learning: # print('Learning...') # ask = input('Are you still learning? ') # is_learning = ask == 'yes' # if not is_learning: # print('You finally mastered it') people = ['Alice', 'Bob', 'Charlie'] for person in people: print(person) indices = [0, 1, 2, 3, 4] for _ in indices: print('I will repeat 5 times') for _ in range(5): print('I will repeat 5 times again') start = 2 stop = 20 step = 3 for index in range(start, stop, step): print(index) students = [ {'name': 'Alice', 'grade': 92}, {'name': 'Bob', 'grade': 90} ] for student in students: name = student['name'] grade = student['grade'] print(f'{name} has a grade of {grade}') people = { 'Alice': 20, 'Bob': 30, 'Charlie': 40 } for name, age in people.items(): print(f'{name} is {age} years old') if name == 'Bob': break else: continue cars = ['ok', 'ok', 'ok', 'ok', 'ko', 'ok', 'ok'] no_faulty_cars = ['ok', 'ok', 'ok', 'ok', 'ok', 'ok', 'ok'] for status in no_faulty_cars: if status == 'ko': print('Stopping the production') break print(f'The car is {status}') else: print('No break was encountered')
people = ['Alice', 'Bob', 'Charlie'] for person in people: print(person) indices = [0, 1, 2, 3, 4] for _ in indices: print('I will repeat 5 times') for _ in range(5): print('I will repeat 5 times again') start = 2 stop = 20 step = 3 for index in range(start, stop, step): print(index) students = [{'name': 'Alice', 'grade': 92}, {'name': 'Bob', 'grade': 90}] for student in students: name = student['name'] grade = student['grade'] print(f'{name} has a grade of {grade}') people = {'Alice': 20, 'Bob': 30, 'Charlie': 40} for (name, age) in people.items(): print(f'{name} is {age} years old') if name == 'Bob': break else: continue cars = ['ok', 'ok', 'ok', 'ok', 'ko', 'ok', 'ok'] no_faulty_cars = ['ok', 'ok', 'ok', 'ok', 'ok', 'ok', 'ok'] for status in no_faulty_cars: if status == 'ko': print('Stopping the production') break print(f'The car is {status}') else: print('No break was encountered')
def height(root): if root is None: return -1 left_height = height(root.left) right_height = height(root.right) return 1 + max(left_height, right_height)
def height(root): if root is None: return -1 left_height = height(root.left) right_height = height(root.right) return 1 + max(left_height, right_height)
# # PySNMP MIB module LIEBERT-GP-REGISTRATION-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/LIEBERT-GP-REGISTRATION-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 19:56:06 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) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Unsigned32, enterprises, TimeTicks, MibIdentifier, ModuleIdentity, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Counter32, IpAddress, Counter64, NotificationType, ObjectIdentity, Integer32, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "enterprises", "TimeTicks", "MibIdentifier", "ModuleIdentity", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Counter32", "IpAddress", "Counter64", "NotificationType", "ObjectIdentity", "Integer32", "iso") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") liebertGlobalProductsRegistrationModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 1, 1)) liebertGlobalProductsRegistrationModule.setRevisions(('2015-02-02 00:00', '2014-09-17 00:00', '2014-06-24 00:00', '2014-03-27 00:00', '2013-07-10 00:00', '2013-05-14 00:00', '2009-04-17 00:00', '2008-07-02 00:00', '2008-01-10 00:00', '2006-02-22 00:00',)) if mibBuilder.loadTexts: liebertGlobalProductsRegistrationModule.setLastUpdated('201403270000Z') if mibBuilder.loadTexts: liebertGlobalProductsRegistrationModule.setOrganization('Liebert Corporation') emerson = ObjectIdentity((1, 3, 6, 1, 4, 1, 476)) if mibBuilder.loadTexts: emerson.setStatus('current') liebertCorp = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1)) if mibBuilder.loadTexts: liebertCorp.setStatus('current') liebertGlobalProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42)) if mibBuilder.loadTexts: liebertGlobalProducts.setStatus('current') lgpModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1)) if mibBuilder.loadTexts: lgpModuleReg.setStatus('current') lgpAgent = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2)) if mibBuilder.loadTexts: lgpAgent.setStatus('current') lgpFoundation = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3)) if mibBuilder.loadTexts: lgpFoundation.setStatus('current') lgpProductSpecific = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4)) if mibBuilder.loadTexts: lgpProductSpecific.setStatus('current') liebertModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 1)) if mibBuilder.loadTexts: liebertModuleReg.setStatus('current') liebertAgentModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 2)) if mibBuilder.loadTexts: liebertAgentModuleReg.setStatus('current') liebertConditionsModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 3)) if mibBuilder.loadTexts: liebertConditionsModuleReg.setStatus('current') liebertNotificationsModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 4)) if mibBuilder.loadTexts: liebertNotificationsModuleReg.setStatus('current') liebertEnvironmentalModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 5)) if mibBuilder.loadTexts: liebertEnvironmentalModuleReg.setStatus('current') liebertPowerModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 6)) if mibBuilder.loadTexts: liebertPowerModuleReg.setStatus('current') liebertControllerModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 7)) if mibBuilder.loadTexts: liebertControllerModuleReg.setStatus('current') liebertSystemModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 8)) if mibBuilder.loadTexts: liebertSystemModuleReg.setStatus('current') liebertPduModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 9)) if mibBuilder.loadTexts: liebertPduModuleReg.setStatus('current') liebertFlexibleModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 10)) if mibBuilder.loadTexts: liebertFlexibleModuleReg.setStatus('current') liebertFlexibleConditionsModuleReg = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 11)) if mibBuilder.loadTexts: liebertFlexibleConditionsModuleReg.setStatus('current') lgpAgentIdent = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 1)) if mibBuilder.loadTexts: lgpAgentIdent.setStatus('current') lgpAgentNotifications = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 3)) if mibBuilder.loadTexts: lgpAgentNotifications.setStatus('current') lgpAgentDevice = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 4)) if mibBuilder.loadTexts: lgpAgentDevice.setStatus('current') lgpAgentControl = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 5)) if mibBuilder.loadTexts: lgpAgentControl.setStatus('current') lgpConditions = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 2)) if mibBuilder.loadTexts: lgpConditions.setStatus('current') lgpNotifications = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 3)) if mibBuilder.loadTexts: lgpNotifications.setStatus('current') lgpEnvironmental = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 4)) if mibBuilder.loadTexts: lgpEnvironmental.setStatus('current') lgpPower = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 5)) if mibBuilder.loadTexts: lgpPower.setStatus('current') lgpController = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 6)) if mibBuilder.loadTexts: lgpController.setStatus('current') lgpSystem = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 7)) if mibBuilder.loadTexts: lgpSystem.setStatus('current') lgpPdu = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 8)) if mibBuilder.loadTexts: lgpPdu.setStatus('current') lgpFlexible = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 9)) if mibBuilder.loadTexts: lgpFlexible.setStatus('current') lgpUpsProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2)) if mibBuilder.loadTexts: lgpUpsProducts.setStatus('current') lgpAcProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3)) if mibBuilder.loadTexts: lgpAcProducts.setStatus('current') lgpPowerConditioningProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4)) if mibBuilder.loadTexts: lgpPowerConditioningProducts.setStatus('current') lgpTransferSwitchProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5)) if mibBuilder.loadTexts: lgpTransferSwitchProducts.setStatus('current') lgpMultiLinkProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 7)) if mibBuilder.loadTexts: lgpMultiLinkProducts.setStatus('current') lgpPowerDistributionProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8)) if mibBuilder.loadTexts: lgpPowerDistributionProducts.setStatus('current') lgpCombinedSystemProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10)) if mibBuilder.loadTexts: lgpCombinedSystemProducts.setStatus('current') lgpSeries7200 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 1)) if mibBuilder.loadTexts: lgpSeries7200.setStatus('current') lgpUPStationGXT = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 2)) if mibBuilder.loadTexts: lgpUPStationGXT.setStatus('current') lgpPowerSureInteractive = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 3)) if mibBuilder.loadTexts: lgpPowerSureInteractive.setStatus('current') lgpNfinity = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 4)) if mibBuilder.loadTexts: lgpNfinity.setStatus('current') lgpNpower = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 5)) if mibBuilder.loadTexts: lgpNpower.setStatus('current') lgpGXT2Dual = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 6)) if mibBuilder.loadTexts: lgpGXT2Dual.setStatus('current') lgpPowerSureInteractive2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 7)) if mibBuilder.loadTexts: lgpPowerSureInteractive2.setStatus('current') lgpNX = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 8)) if mibBuilder.loadTexts: lgpNX.setStatus('current') lgpHiNet = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 9)) if mibBuilder.loadTexts: lgpHiNet.setStatus('current') lgpNXL = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 10)) if mibBuilder.loadTexts: lgpNXL.setStatus('current') lgpSuper400 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 11)) if mibBuilder.loadTexts: lgpSuper400.setStatus('current') lgpSeries600or610 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 12)) if mibBuilder.loadTexts: lgpSeries600or610.setStatus('current') lgpSeries300 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 13)) if mibBuilder.loadTexts: lgpSeries300.setStatus('current') lgpSeries610SMS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 14)) if mibBuilder.loadTexts: lgpSeries610SMS.setStatus('current') lgpSeries610MMU = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 15)) if mibBuilder.loadTexts: lgpSeries610MMU.setStatus('current') lgpSeries610SCC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 16)) if mibBuilder.loadTexts: lgpSeries610SCC.setStatus('current') lgpGXT3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 17)) if mibBuilder.loadTexts: lgpGXT3.setStatus('current') lgpGXT3Dual = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 18)) if mibBuilder.loadTexts: lgpGXT3Dual.setStatus('current') lgpNXr = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19)) if mibBuilder.loadTexts: lgpNXr.setStatus('current') lgpITA = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 1)) if mibBuilder.loadTexts: lgpITA.setStatus('current') lgpNXRb = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 2)) if mibBuilder.loadTexts: lgpNXRb.setStatus('current') lgpNXC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 3)) if mibBuilder.loadTexts: lgpNXC.setStatus('current') lgpNXC30to40k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 4)) if mibBuilder.loadTexts: lgpNXC30to40k.setStatus('current') lgpITA30to40k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 5)) if mibBuilder.loadTexts: lgpITA30to40k.setStatus('current') lgpAPS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 20)) if mibBuilder.loadTexts: lgpAPS.setStatus('current') lgpMUNiMx = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 22)) if mibBuilder.loadTexts: lgpMUNiMx.setStatus('current') lgpGXT4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 23)) if mibBuilder.loadTexts: lgpGXT4.setStatus('current') lgpGXT4Dual = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 24)) if mibBuilder.loadTexts: lgpGXT4Dual.setStatus('current') lgpEXL = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 25)) if mibBuilder.loadTexts: lgpEXL.setStatus('current') lgpEXM = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26)) if mibBuilder.loadTexts: lgpEXM.setStatus('current') lgpEXM208v = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 1)) if mibBuilder.loadTexts: lgpEXM208v.setStatus('current') lgpEXM400v = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 2)) if mibBuilder.loadTexts: lgpEXM400v.setStatus('current') lgpEXM480v = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 3)) if mibBuilder.loadTexts: lgpEXM480v.setStatus('current') lgpEPM = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27)) if mibBuilder.loadTexts: lgpEPM.setStatus('current') lgpEPM300k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 1)) if mibBuilder.loadTexts: lgpEPM300k.setStatus('current') lgpEPM400k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 2)) if mibBuilder.loadTexts: lgpEPM400k.setStatus('current') lgpEPM500k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 3)) if mibBuilder.loadTexts: lgpEPM500k.setStatus('current') lgpEPM600k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 4)) if mibBuilder.loadTexts: lgpEPM600k.setStatus('current') lgpEPM800k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 5)) if mibBuilder.loadTexts: lgpEPM800k.setStatus('current') lgpEXMMSR = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 29)) if mibBuilder.loadTexts: lgpEXMMSR.setStatus('current') lgpNXLJD = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 10, 1)) if mibBuilder.loadTexts: lgpNXLJD.setStatus('current') lgpNX225to600k = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 22, 1)) if mibBuilder.loadTexts: lgpNX225to600k.setStatus('current') lgpAdvancedMicroprocessor = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 1)) if mibBuilder.loadTexts: lgpAdvancedMicroprocessor.setStatus('current') lgpStandardMicroprocessor = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 2)) if mibBuilder.loadTexts: lgpStandardMicroprocessor.setStatus('current') lgpMiniMate2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 3)) if mibBuilder.loadTexts: lgpMiniMate2.setStatus('current') lgpHimod = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 4)) if mibBuilder.loadTexts: lgpHimod.setStatus('current') lgpCEMS100orLECS15 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 5)) if mibBuilder.loadTexts: lgpCEMS100orLECS15.setStatus('current') lgpIcom = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 6)) if mibBuilder.loadTexts: lgpIcom.setStatus('current') lgpIcomPA = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7)) if mibBuilder.loadTexts: lgpIcomPA.setStatus('current') lgpIcomXD = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8)) if mibBuilder.loadTexts: lgpIcomXD.setStatus('current') lgpIcomXP = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9)) if mibBuilder.loadTexts: lgpIcomXP.setStatus('current') lgpIcomSC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10)) if mibBuilder.loadTexts: lgpIcomSC.setStatus('current') lgpIcomCR = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 11)) if mibBuilder.loadTexts: lgpIcomCR.setStatus('current') lgpIcomAH = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 12)) if mibBuilder.loadTexts: lgpIcomAH.setStatus('current') lgpIcomDCL = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 13)) if mibBuilder.loadTexts: lgpIcomDCL.setStatus('current') lgpIcomEEV = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 14)) if mibBuilder.loadTexts: lgpIcomEEV.setStatus('current') lgpIcomPAtypeDS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 1)) if mibBuilder.loadTexts: lgpIcomPAtypeDS.setStatus('current') lgpIcomPAtypeHPM = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 2)) if mibBuilder.loadTexts: lgpIcomPAtypeHPM.setStatus('current') lgpIcomPAtypeChallenger = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 3)) if mibBuilder.loadTexts: lgpIcomPAtypeChallenger.setStatus('current') lgpIcomPAtypePeX = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 4)) if mibBuilder.loadTexts: lgpIcomPAtypePeX.setStatus('current') lgpIcomPAtypeDeluxeSys3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5)) if mibBuilder.loadTexts: lgpIcomPAtypeDeluxeSys3.setStatus('current') lgpIcomPAtypeDeluxeSystem3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5, 1)) if mibBuilder.loadTexts: lgpIcomPAtypeDeluxeSystem3.setStatus('current') lgpIcomPAtypeCW = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5, 2)) if mibBuilder.loadTexts: lgpIcomPAtypeCW.setStatus('current') lgpIcomPAtypeJumboCW = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 6)) if mibBuilder.loadTexts: lgpIcomPAtypeJumboCW.setStatus('current') lgpIcomPAtypeDSE = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 7)) if mibBuilder.loadTexts: lgpIcomPAtypeDSE.setStatus('current') lgpIcomPAtypePEXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8)) if mibBuilder.loadTexts: lgpIcomPAtypePEXS.setStatus('current') lgpIcomPAtypePDXsmall = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8, 1)) if mibBuilder.loadTexts: lgpIcomPAtypePDXsmall.setStatus('current') lgpIcomPAtypePCWsmall = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8, 2)) if mibBuilder.loadTexts: lgpIcomPAtypePCWsmall.setStatus('current') lgpIcomPAtypePDX = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9)) if mibBuilder.loadTexts: lgpIcomPAtypePDX.setStatus('current') lgpIcomPAtypePDXlarge = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9, 1)) if mibBuilder.loadTexts: lgpIcomPAtypePDXlarge.setStatus('current') lgpIcomPAtypePCWlarge = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9, 2)) if mibBuilder.loadTexts: lgpIcomPAtypePCWlarge.setStatus('current') lgpIcomPAtypeHPS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 10)) if mibBuilder.loadTexts: lgpIcomPAtypeHPS.setStatus('current') lgpIcomXDtypeXDF = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8, 1)) if mibBuilder.loadTexts: lgpIcomXDtypeXDF.setStatus('current') lgpIcomXDtypeXDFN = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8, 2)) if mibBuilder.loadTexts: lgpIcomXDtypeXDFN.setStatus('current') lgpIcomXPtypeXDP = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 1)) if mibBuilder.loadTexts: lgpIcomXPtypeXDP.setStatus('current') lgpIcomXPtypeXDPCray = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 1, 1)) if mibBuilder.loadTexts: lgpIcomXPtypeXDPCray.setStatus('current') lgpIcomXPtypeXDC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 2)) if mibBuilder.loadTexts: lgpIcomXPtypeXDC.setStatus('current') lgpIcomXPtypeXDPW = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 3)) if mibBuilder.loadTexts: lgpIcomXPtypeXDPW.setStatus('current') lgpIcomSCtypeHPC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1)) if mibBuilder.loadTexts: lgpIcomSCtypeHPC.setStatus('current') lgpIcomSCtypeHPCSSmall = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 1)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCSSmall.setStatus('current') lgpIcomSCtypeHPCSLarge = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 2)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCSLarge.setStatus('current') lgpIcomSCtypeHPCR = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 3)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCR.setStatus('current') lgpIcomSCtypeHPCM = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 4)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCM.setStatus('current') lgpIcomSCtypeHPCL = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 5)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCL.setStatus('current') lgpIcomSCtypeHPCW = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 6)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCW.setStatus('current') lgpIcomCRtypeCRV = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 11, 1)) if mibBuilder.loadTexts: lgpIcomCRtypeCRV.setStatus('current') lgpIcomAHStandard = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 12, 1)) if mibBuilder.loadTexts: lgpIcomAHStandard.setStatus('current') lgpPMP = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4, 1)) if mibBuilder.loadTexts: lgpPMP.setStatus('current') lgpEPMP = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4, 2)) if mibBuilder.loadTexts: lgpEPMP.setStatus('current') lgpStaticTransferSwitchEDS = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 1)) if mibBuilder.loadTexts: lgpStaticTransferSwitchEDS.setStatus('current') lgpStaticTransferSwitch1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 2)) if mibBuilder.loadTexts: lgpStaticTransferSwitch1.setStatus('current') lgpStaticTransferSwitch2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 3)) if mibBuilder.loadTexts: lgpStaticTransferSwitch2.setStatus('current') lgpStaticTransferSwitch2FourPole = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 4)) if mibBuilder.loadTexts: lgpStaticTransferSwitch2FourPole.setStatus('current') lgpMultiLinkBasicNotification = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 7, 1)) if mibBuilder.loadTexts: lgpMultiLinkBasicNotification.setStatus('current') lgpRackPDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2)) if mibBuilder.loadTexts: lgpRackPDU.setStatus('current') lgpMPX = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2, 1)) if mibBuilder.loadTexts: lgpMPX.setStatus('current') lgpMPH = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2, 2)) if mibBuilder.loadTexts: lgpMPH.setStatus('current') lgpRackPDU2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4)) if mibBuilder.loadTexts: lgpRackPDU2.setStatus('current') lgpRPC2kMPX = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4, 1)) if mibBuilder.loadTexts: lgpRPC2kMPX.setStatus('current') lgpRPC2kMPH = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4, 2)) if mibBuilder.loadTexts: lgpRPC2kMPH.setStatus('current') lgpPMPandLDMF = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1)) if mibBuilder.loadTexts: lgpPMPandLDMF.setStatus('current') lgpPMPgeneric = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 1)) if mibBuilder.loadTexts: lgpPMPgeneric.setStatus('current') lgpPMPonFPC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 2)) if mibBuilder.loadTexts: lgpPMPonFPC.setStatus('current') lgpPMPonPPC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 3)) if mibBuilder.loadTexts: lgpPMPonPPC.setStatus('current') lgpPMPonFDC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 4)) if mibBuilder.loadTexts: lgpPMPonFDC.setStatus('current') lgpPMPonRDC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 5)) if mibBuilder.loadTexts: lgpPMPonRDC.setStatus('current') lgpPMPonEXC = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 6)) if mibBuilder.loadTexts: lgpPMPonEXC.setStatus('current') lgpPMPonSTS2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 7)) if mibBuilder.loadTexts: lgpPMPonSTS2.setStatus('current') lgpPMPonSTS2PDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 8)) if mibBuilder.loadTexts: lgpPMPonSTS2PDU.setStatus('current') mibBuilder.exportSymbols("LIEBERT-GP-REGISTRATION-MIB", emerson=emerson, lgpAgentNotifications=lgpAgentNotifications, lgpIcomXD=lgpIcomXD, lgpEXMMSR=lgpEXMMSR, liebertCorp=liebertCorp, lgpRackPDU=lgpRackPDU, lgpRackPDU2=lgpRackPDU2, lgpStaticTransferSwitch2FourPole=lgpStaticTransferSwitch2FourPole, lgpAgentIdent=lgpAgentIdent, lgpNX=lgpNX, lgpAcProducts=lgpAcProducts, lgpNX225to600k=lgpNX225to600k, lgpPowerDistributionProducts=lgpPowerDistributionProducts, lgpGXT3Dual=lgpGXT3Dual, lgpPMPonSTS2=lgpPMPonSTS2, lgpEPMP=lgpEPMP, lgpIcomXPtypeXDC=lgpIcomXPtypeXDC, lgpNfinity=lgpNfinity, lgpRPC2kMPX=lgpRPC2kMPX, lgpPMP=lgpPMP, lgpPMPonFDC=lgpPMPonFDC, lgpGXT4Dual=lgpGXT4Dual, lgpIcomPAtypeHPS=lgpIcomPAtypeHPS, lgpIcomCRtypeCRV=lgpIcomCRtypeCRV, lgpSystem=lgpSystem, lgpIcomPAtypePDXsmall=lgpIcomPAtypePDXsmall, lgpGXT3=lgpGXT3, lgpEXM480v=lgpEXM480v, lgpEnvironmental=lgpEnvironmental, lgpIcomSCtypeHPC=lgpIcomSCtypeHPC, lgpStaticTransferSwitchEDS=lgpStaticTransferSwitchEDS, lgpCombinedSystemProducts=lgpCombinedSystemProducts, lgpIcomPAtypeDS=lgpIcomPAtypeDS, lgpMUNiMx=lgpMUNiMx, lgpNpower=lgpNpower, lgpPMPonFPC=lgpPMPonFPC, lgpIcomPAtypePeX=lgpIcomPAtypePeX, lgpPowerSureInteractive2=lgpPowerSureInteractive2, lgpStaticTransferSwitch2=lgpStaticTransferSwitch2, lgpUPStationGXT=lgpUPStationGXT, lgpITA=lgpITA, lgpIcomXPtypeXDPCray=lgpIcomXPtypeXDPCray, lgpPdu=lgpPdu, PYSNMP_MODULE_ID=liebertGlobalProductsRegistrationModule, lgpController=lgpController, lgpTransferSwitchProducts=lgpTransferSwitchProducts, lgpIcomSC=lgpIcomSC, lgpEPM600k=lgpEPM600k, lgpCEMS100orLECS15=lgpCEMS100orLECS15, lgpIcomSCtypeHPCSSmall=lgpIcomSCtypeHPCSSmall, lgpNXRb=lgpNXRb, lgpIcomPAtypeDeluxeSystem3=lgpIcomPAtypeDeluxeSystem3, lgpFoundation=lgpFoundation, liebertFlexibleConditionsModuleReg=liebertFlexibleConditionsModuleReg, lgpIcomSCtypeHPCL=lgpIcomSCtypeHPCL, lgpIcomSCtypeHPCM=lgpIcomSCtypeHPCM, lgpIcomSCtypeHPCW=lgpIcomSCtypeHPCW, lgpPMPonSTS2PDU=lgpPMPonSTS2PDU, lgpIcomPAtypeDeluxeSys3=lgpIcomPAtypeDeluxeSys3, lgpIcomPA=lgpIcomPA, liebertFlexibleModuleReg=liebertFlexibleModuleReg, liebertControllerModuleReg=liebertControllerModuleReg, lgpAPS=lgpAPS, lgpIcomAHStandard=lgpIcomAHStandard, lgpIcomPAtypePDXlarge=lgpIcomPAtypePDXlarge, lgpEXM=lgpEXM, lgpMultiLinkBasicNotification=lgpMultiLinkBasicNotification, lgpPMPgeneric=lgpPMPgeneric, lgpPMPonRDC=lgpPMPonRDC, liebertGlobalProductsRegistrationModule=liebertGlobalProductsRegistrationModule, lgpSeries610MMU=lgpSeries610MMU, lgpIcomSCtypeHPCSLarge=lgpIcomSCtypeHPCSLarge, lgpMPX=lgpMPX, lgpIcomCR=lgpIcomCR, lgpNXC=lgpNXC, liebertPowerModuleReg=liebertPowerModuleReg, lgpStandardMicroprocessor=lgpStandardMicroprocessor, lgpEPM300k=lgpEPM300k, lgpNXLJD=lgpNXLJD, lgpIcomXPtypeXDPW=lgpIcomXPtypeXDPW, lgpFlexible=lgpFlexible, lgpGXT4=lgpGXT4, lgpGXT2Dual=lgpGXT2Dual, liebertPduModuleReg=liebertPduModuleReg, lgpEPM400k=lgpEPM400k, lgpIcomPAtypeJumboCW=lgpIcomPAtypeJumboCW, lgpPMPonEXC=lgpPMPonEXC, liebertAgentModuleReg=liebertAgentModuleReg, lgpRPC2kMPH=lgpRPC2kMPH, lgpNXL=lgpNXL, lgpSeries300=lgpSeries300, lgpConditions=lgpConditions, lgpIcomPAtypeDSE=lgpIcomPAtypeDSE, lgpMPH=lgpMPH, liebertNotificationsModuleReg=liebertNotificationsModuleReg, lgpSeries610SCC=lgpSeries610SCC, lgpIcomPAtypePCWlarge=lgpIcomPAtypePCWlarge, lgpIcomPAtypePDX=lgpIcomPAtypePDX, lgpHiNet=lgpHiNet, lgpAgent=lgpAgent, lgpPowerSureInteractive=lgpPowerSureInteractive, lgpSuper400=lgpSuper400, lgpAgentControl=lgpAgentControl, lgpSeries600or610=lgpSeries600or610, lgpIcomXDtypeXDF=lgpIcomXDtypeXDF, lgpModuleReg=lgpModuleReg, lgpSeries610SMS=lgpSeries610SMS, lgpIcomSCtypeHPCR=lgpIcomSCtypeHPCR, lgpEXL=lgpEXL, lgpAdvancedMicroprocessor=lgpAdvancedMicroprocessor, lgpIcomAH=lgpIcomAH, lgpIcomXP=lgpIcomXP, liebertSystemModuleReg=liebertSystemModuleReg, lgpIcomPAtypePEXS=lgpIcomPAtypePEXS, lgpEXM208v=lgpEXM208v, lgpEXM400v=lgpEXM400v, lgpEPM500k=lgpEPM500k, lgpPMPonPPC=lgpPMPonPPC, lgpEPM=lgpEPM, lgpIcomPAtypePCWsmall=lgpIcomPAtypePCWsmall, lgpIcom=lgpIcom, lgpIcomPAtypeHPM=lgpIcomPAtypeHPM, lgpUpsProducts=lgpUpsProducts, lgpStaticTransferSwitch1=lgpStaticTransferSwitch1, lgpMiniMate2=lgpMiniMate2, lgpProductSpecific=lgpProductSpecific, lgpNXC30to40k=lgpNXC30to40k, lgpPower=lgpPower, lgpIcomPAtypeCW=lgpIcomPAtypeCW, lgpSeries7200=lgpSeries7200, lgpIcomEEV=lgpIcomEEV, liebertModuleReg=liebertModuleReg, lgpMultiLinkProducts=lgpMultiLinkProducts, lgpPMPandLDMF=lgpPMPandLDMF, lgpNotifications=lgpNotifications, liebertGlobalProducts=liebertGlobalProducts, lgpNXr=lgpNXr, lgpIcomXDtypeXDFN=lgpIcomXDtypeXDFN, lgpIcomXPtypeXDP=lgpIcomXPtypeXDP, lgpAgentDevice=lgpAgentDevice, lgpIcomDCL=lgpIcomDCL, liebertConditionsModuleReg=liebertConditionsModuleReg, lgpITA30to40k=lgpITA30to40k, lgpIcomPAtypeChallenger=lgpIcomPAtypeChallenger, lgpPowerConditioningProducts=lgpPowerConditioningProducts, lgpHimod=lgpHimod, lgpEPM800k=lgpEPM800k, liebertEnvironmentalModuleReg=liebertEnvironmentalModuleReg)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, value_size_constraint, constraints_union, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (unsigned32, enterprises, time_ticks, mib_identifier, module_identity, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, counter32, ip_address, counter64, notification_type, object_identity, integer32, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'Unsigned32', 'enterprises', 'TimeTicks', 'MibIdentifier', 'ModuleIdentity', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Counter32', 'IpAddress', 'Counter64', 'NotificationType', 'ObjectIdentity', 'Integer32', 'iso') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') liebert_global_products_registration_module = module_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 1, 1)) liebertGlobalProductsRegistrationModule.setRevisions(('2015-02-02 00:00', '2014-09-17 00:00', '2014-06-24 00:00', '2014-03-27 00:00', '2013-07-10 00:00', '2013-05-14 00:00', '2009-04-17 00:00', '2008-07-02 00:00', '2008-01-10 00:00', '2006-02-22 00:00')) if mibBuilder.loadTexts: liebertGlobalProductsRegistrationModule.setLastUpdated('201403270000Z') if mibBuilder.loadTexts: liebertGlobalProductsRegistrationModule.setOrganization('Liebert Corporation') emerson = object_identity((1, 3, 6, 1, 4, 1, 476)) if mibBuilder.loadTexts: emerson.setStatus('current') liebert_corp = object_identity((1, 3, 6, 1, 4, 1, 476, 1)) if mibBuilder.loadTexts: liebertCorp.setStatus('current') liebert_global_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42)) if mibBuilder.loadTexts: liebertGlobalProducts.setStatus('current') lgp_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1)) if mibBuilder.loadTexts: lgpModuleReg.setStatus('current') lgp_agent = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2)) if mibBuilder.loadTexts: lgpAgent.setStatus('current') lgp_foundation = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3)) if mibBuilder.loadTexts: lgpFoundation.setStatus('current') lgp_product_specific = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4)) if mibBuilder.loadTexts: lgpProductSpecific.setStatus('current') liebert_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 1)) if mibBuilder.loadTexts: liebertModuleReg.setStatus('current') liebert_agent_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 2)) if mibBuilder.loadTexts: liebertAgentModuleReg.setStatus('current') liebert_conditions_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 3)) if mibBuilder.loadTexts: liebertConditionsModuleReg.setStatus('current') liebert_notifications_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 4)) if mibBuilder.loadTexts: liebertNotificationsModuleReg.setStatus('current') liebert_environmental_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 5)) if mibBuilder.loadTexts: liebertEnvironmentalModuleReg.setStatus('current') liebert_power_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 6)) if mibBuilder.loadTexts: liebertPowerModuleReg.setStatus('current') liebert_controller_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 7)) if mibBuilder.loadTexts: liebertControllerModuleReg.setStatus('current') liebert_system_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 8)) if mibBuilder.loadTexts: liebertSystemModuleReg.setStatus('current') liebert_pdu_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 9)) if mibBuilder.loadTexts: liebertPduModuleReg.setStatus('current') liebert_flexible_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 10)) if mibBuilder.loadTexts: liebertFlexibleModuleReg.setStatus('current') liebert_flexible_conditions_module_reg = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 1, 11)) if mibBuilder.loadTexts: liebertFlexibleConditionsModuleReg.setStatus('current') lgp_agent_ident = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 1)) if mibBuilder.loadTexts: lgpAgentIdent.setStatus('current') lgp_agent_notifications = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 3)) if mibBuilder.loadTexts: lgpAgentNotifications.setStatus('current') lgp_agent_device = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 4)) if mibBuilder.loadTexts: lgpAgentDevice.setStatus('current') lgp_agent_control = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 2, 5)) if mibBuilder.loadTexts: lgpAgentControl.setStatus('current') lgp_conditions = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 2)) if mibBuilder.loadTexts: lgpConditions.setStatus('current') lgp_notifications = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 3)) if mibBuilder.loadTexts: lgpNotifications.setStatus('current') lgp_environmental = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 4)) if mibBuilder.loadTexts: lgpEnvironmental.setStatus('current') lgp_power = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 5)) if mibBuilder.loadTexts: lgpPower.setStatus('current') lgp_controller = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 6)) if mibBuilder.loadTexts: lgpController.setStatus('current') lgp_system = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 7)) if mibBuilder.loadTexts: lgpSystem.setStatus('current') lgp_pdu = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 8)) if mibBuilder.loadTexts: lgpPdu.setStatus('current') lgp_flexible = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 3, 9)) if mibBuilder.loadTexts: lgpFlexible.setStatus('current') lgp_ups_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2)) if mibBuilder.loadTexts: lgpUpsProducts.setStatus('current') lgp_ac_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3)) if mibBuilder.loadTexts: lgpAcProducts.setStatus('current') lgp_power_conditioning_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4)) if mibBuilder.loadTexts: lgpPowerConditioningProducts.setStatus('current') lgp_transfer_switch_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5)) if mibBuilder.loadTexts: lgpTransferSwitchProducts.setStatus('current') lgp_multi_link_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 7)) if mibBuilder.loadTexts: lgpMultiLinkProducts.setStatus('current') lgp_power_distribution_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8)) if mibBuilder.loadTexts: lgpPowerDistributionProducts.setStatus('current') lgp_combined_system_products = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10)) if mibBuilder.loadTexts: lgpCombinedSystemProducts.setStatus('current') lgp_series7200 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 1)) if mibBuilder.loadTexts: lgpSeries7200.setStatus('current') lgp_up_station_gxt = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 2)) if mibBuilder.loadTexts: lgpUPStationGXT.setStatus('current') lgp_power_sure_interactive = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 3)) if mibBuilder.loadTexts: lgpPowerSureInteractive.setStatus('current') lgp_nfinity = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 4)) if mibBuilder.loadTexts: lgpNfinity.setStatus('current') lgp_npower = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 5)) if mibBuilder.loadTexts: lgpNpower.setStatus('current') lgp_gxt2_dual = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 6)) if mibBuilder.loadTexts: lgpGXT2Dual.setStatus('current') lgp_power_sure_interactive2 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 7)) if mibBuilder.loadTexts: lgpPowerSureInteractive2.setStatus('current') lgp_nx = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 8)) if mibBuilder.loadTexts: lgpNX.setStatus('current') lgp_hi_net = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 9)) if mibBuilder.loadTexts: lgpHiNet.setStatus('current') lgp_nxl = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 10)) if mibBuilder.loadTexts: lgpNXL.setStatus('current') lgp_super400 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 11)) if mibBuilder.loadTexts: lgpSuper400.setStatus('current') lgp_series600or610 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 12)) if mibBuilder.loadTexts: lgpSeries600or610.setStatus('current') lgp_series300 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 13)) if mibBuilder.loadTexts: lgpSeries300.setStatus('current') lgp_series610_sms = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 14)) if mibBuilder.loadTexts: lgpSeries610SMS.setStatus('current') lgp_series610_mmu = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 15)) if mibBuilder.loadTexts: lgpSeries610MMU.setStatus('current') lgp_series610_scc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 16)) if mibBuilder.loadTexts: lgpSeries610SCC.setStatus('current') lgp_gxt3 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 17)) if mibBuilder.loadTexts: lgpGXT3.setStatus('current') lgp_gxt3_dual = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 18)) if mibBuilder.loadTexts: lgpGXT3Dual.setStatus('current') lgp_n_xr = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19)) if mibBuilder.loadTexts: lgpNXr.setStatus('current') lgp_ita = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 1)) if mibBuilder.loadTexts: lgpITA.setStatus('current') lgp_nx_rb = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 2)) if mibBuilder.loadTexts: lgpNXRb.setStatus('current') lgp_nxc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 3)) if mibBuilder.loadTexts: lgpNXC.setStatus('current') lgp_nxc30to40k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 4)) if mibBuilder.loadTexts: lgpNXC30to40k.setStatus('current') lgp_ita30to40k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 19, 5)) if mibBuilder.loadTexts: lgpITA30to40k.setStatus('current') lgp_aps = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 20)) if mibBuilder.loadTexts: lgpAPS.setStatus('current') lgp_mu_ni_mx = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 22)) if mibBuilder.loadTexts: lgpMUNiMx.setStatus('current') lgp_gxt4 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 23)) if mibBuilder.loadTexts: lgpGXT4.setStatus('current') lgp_gxt4_dual = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 24)) if mibBuilder.loadTexts: lgpGXT4Dual.setStatus('current') lgp_exl = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 25)) if mibBuilder.loadTexts: lgpEXL.setStatus('current') lgp_exm = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26)) if mibBuilder.loadTexts: lgpEXM.setStatus('current') lgp_exm208v = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 1)) if mibBuilder.loadTexts: lgpEXM208v.setStatus('current') lgp_exm400v = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 2)) if mibBuilder.loadTexts: lgpEXM400v.setStatus('current') lgp_exm480v = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 26, 3)) if mibBuilder.loadTexts: lgpEXM480v.setStatus('current') lgp_epm = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27)) if mibBuilder.loadTexts: lgpEPM.setStatus('current') lgp_epm300k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 1)) if mibBuilder.loadTexts: lgpEPM300k.setStatus('current') lgp_epm400k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 2)) if mibBuilder.loadTexts: lgpEPM400k.setStatus('current') lgp_epm500k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 3)) if mibBuilder.loadTexts: lgpEPM500k.setStatus('current') lgp_epm600k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 4)) if mibBuilder.loadTexts: lgpEPM600k.setStatus('current') lgp_epm800k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 27, 5)) if mibBuilder.loadTexts: lgpEPM800k.setStatus('current') lgp_exmmsr = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 29)) if mibBuilder.loadTexts: lgpEXMMSR.setStatus('current') lgp_nxljd = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 10, 1)) if mibBuilder.loadTexts: lgpNXLJD.setStatus('current') lgp_nx225to600k = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 2, 22, 1)) if mibBuilder.loadTexts: lgpNX225to600k.setStatus('current') lgp_advanced_microprocessor = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 1)) if mibBuilder.loadTexts: lgpAdvancedMicroprocessor.setStatus('current') lgp_standard_microprocessor = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 2)) if mibBuilder.loadTexts: lgpStandardMicroprocessor.setStatus('current') lgp_mini_mate2 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 3)) if mibBuilder.loadTexts: lgpMiniMate2.setStatus('current') lgp_himod = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 4)) if mibBuilder.loadTexts: lgpHimod.setStatus('current') lgp_cems100or_lecs15 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 5)) if mibBuilder.loadTexts: lgpCEMS100orLECS15.setStatus('current') lgp_icom = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 6)) if mibBuilder.loadTexts: lgpIcom.setStatus('current') lgp_icom_pa = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7)) if mibBuilder.loadTexts: lgpIcomPA.setStatus('current') lgp_icom_xd = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8)) if mibBuilder.loadTexts: lgpIcomXD.setStatus('current') lgp_icom_xp = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9)) if mibBuilder.loadTexts: lgpIcomXP.setStatus('current') lgp_icom_sc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10)) if mibBuilder.loadTexts: lgpIcomSC.setStatus('current') lgp_icom_cr = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 11)) if mibBuilder.loadTexts: lgpIcomCR.setStatus('current') lgp_icom_ah = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 12)) if mibBuilder.loadTexts: lgpIcomAH.setStatus('current') lgp_icom_dcl = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 13)) if mibBuilder.loadTexts: lgpIcomDCL.setStatus('current') lgp_icom_eev = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 14)) if mibBuilder.loadTexts: lgpIcomEEV.setStatus('current') lgp_icom_p_atype_ds = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 1)) if mibBuilder.loadTexts: lgpIcomPAtypeDS.setStatus('current') lgp_icom_p_atype_hpm = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 2)) if mibBuilder.loadTexts: lgpIcomPAtypeHPM.setStatus('current') lgp_icom_p_atype_challenger = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 3)) if mibBuilder.loadTexts: lgpIcomPAtypeChallenger.setStatus('current') lgp_icom_p_atype_pe_x = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 4)) if mibBuilder.loadTexts: lgpIcomPAtypePeX.setStatus('current') lgp_icom_p_atype_deluxe_sys3 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5)) if mibBuilder.loadTexts: lgpIcomPAtypeDeluxeSys3.setStatus('current') lgp_icom_p_atype_deluxe_system3 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5, 1)) if mibBuilder.loadTexts: lgpIcomPAtypeDeluxeSystem3.setStatus('current') lgp_icom_p_atype_cw = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 5, 2)) if mibBuilder.loadTexts: lgpIcomPAtypeCW.setStatus('current') lgp_icom_p_atype_jumbo_cw = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 6)) if mibBuilder.loadTexts: lgpIcomPAtypeJumboCW.setStatus('current') lgp_icom_p_atype_dse = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 7)) if mibBuilder.loadTexts: lgpIcomPAtypeDSE.setStatus('current') lgp_icom_p_atype_pexs = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8)) if mibBuilder.loadTexts: lgpIcomPAtypePEXS.setStatus('current') lgp_icom_p_atype_pd_xsmall = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8, 1)) if mibBuilder.loadTexts: lgpIcomPAtypePDXsmall.setStatus('current') lgp_icom_p_atype_pc_wsmall = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 8, 2)) if mibBuilder.loadTexts: lgpIcomPAtypePCWsmall.setStatus('current') lgp_icom_p_atype_pdx = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9)) if mibBuilder.loadTexts: lgpIcomPAtypePDX.setStatus('current') lgp_icom_p_atype_pd_xlarge = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9, 1)) if mibBuilder.loadTexts: lgpIcomPAtypePDXlarge.setStatus('current') lgp_icom_p_atype_pc_wlarge = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 9, 2)) if mibBuilder.loadTexts: lgpIcomPAtypePCWlarge.setStatus('current') lgp_icom_p_atype_hps = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 7, 10)) if mibBuilder.loadTexts: lgpIcomPAtypeHPS.setStatus('current') lgp_icom_x_dtype_xdf = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8, 1)) if mibBuilder.loadTexts: lgpIcomXDtypeXDF.setStatus('current') lgp_icom_x_dtype_xdfn = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 8, 2)) if mibBuilder.loadTexts: lgpIcomXDtypeXDFN.setStatus('current') lgp_icom_x_ptype_xdp = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 1)) if mibBuilder.loadTexts: lgpIcomXPtypeXDP.setStatus('current') lgp_icom_x_ptype_xdp_cray = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 1, 1)) if mibBuilder.loadTexts: lgpIcomXPtypeXDPCray.setStatus('current') lgp_icom_x_ptype_xdc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 2)) if mibBuilder.loadTexts: lgpIcomXPtypeXDC.setStatus('current') lgp_icom_x_ptype_xdpw = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 9, 3)) if mibBuilder.loadTexts: lgpIcomXPtypeXDPW.setStatus('current') lgp_icom_s_ctype_hpc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1)) if mibBuilder.loadTexts: lgpIcomSCtypeHPC.setStatus('current') lgp_icom_s_ctype_hpcs_small = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 1)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCSSmall.setStatus('current') lgp_icom_s_ctype_hpcs_large = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 2)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCSLarge.setStatus('current') lgp_icom_s_ctype_hpcr = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 3)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCR.setStatus('current') lgp_icom_s_ctype_hpcm = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 4)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCM.setStatus('current') lgp_icom_s_ctype_hpcl = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 5)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCL.setStatus('current') lgp_icom_s_ctype_hpcw = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 10, 1, 6)) if mibBuilder.loadTexts: lgpIcomSCtypeHPCW.setStatus('current') lgp_icom_c_rtype_crv = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 11, 1)) if mibBuilder.loadTexts: lgpIcomCRtypeCRV.setStatus('current') lgp_icom_ah_standard = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 3, 12, 1)) if mibBuilder.loadTexts: lgpIcomAHStandard.setStatus('current') lgp_pmp = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4, 1)) if mibBuilder.loadTexts: lgpPMP.setStatus('current') lgp_epmp = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 4, 2)) if mibBuilder.loadTexts: lgpEPMP.setStatus('current') lgp_static_transfer_switch_eds = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 1)) if mibBuilder.loadTexts: lgpStaticTransferSwitchEDS.setStatus('current') lgp_static_transfer_switch1 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 2)) if mibBuilder.loadTexts: lgpStaticTransferSwitch1.setStatus('current') lgp_static_transfer_switch2 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 3)) if mibBuilder.loadTexts: lgpStaticTransferSwitch2.setStatus('current') lgp_static_transfer_switch2_four_pole = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 5, 4)) if mibBuilder.loadTexts: lgpStaticTransferSwitch2FourPole.setStatus('current') lgp_multi_link_basic_notification = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 7, 1)) if mibBuilder.loadTexts: lgpMultiLinkBasicNotification.setStatus('current') lgp_rack_pdu = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2)) if mibBuilder.loadTexts: lgpRackPDU.setStatus('current') lgp_mpx = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2, 1)) if mibBuilder.loadTexts: lgpMPX.setStatus('current') lgp_mph = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 2, 2)) if mibBuilder.loadTexts: lgpMPH.setStatus('current') lgp_rack_pdu2 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4)) if mibBuilder.loadTexts: lgpRackPDU2.setStatus('current') lgp_rpc2k_mpx = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4, 1)) if mibBuilder.loadTexts: lgpRPC2kMPX.setStatus('current') lgp_rpc2k_mph = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 8, 4, 2)) if mibBuilder.loadTexts: lgpRPC2kMPH.setStatus('current') lgp_pm_pand_ldmf = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1)) if mibBuilder.loadTexts: lgpPMPandLDMF.setStatus('current') lgp_pm_pgeneric = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 1)) if mibBuilder.loadTexts: lgpPMPgeneric.setStatus('current') lgp_pm_pon_fpc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 2)) if mibBuilder.loadTexts: lgpPMPonFPC.setStatus('current') lgp_pm_pon_ppc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 3)) if mibBuilder.loadTexts: lgpPMPonPPC.setStatus('current') lgp_pm_pon_fdc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 4)) if mibBuilder.loadTexts: lgpPMPonFDC.setStatus('current') lgp_pm_pon_rdc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 5)) if mibBuilder.loadTexts: lgpPMPonRDC.setStatus('current') lgp_pm_pon_exc = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 6)) if mibBuilder.loadTexts: lgpPMPonEXC.setStatus('current') lgp_pm_pon_sts2 = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 7)) if mibBuilder.loadTexts: lgpPMPonSTS2.setStatus('current') lgp_pm_pon_sts2_pdu = object_identity((1, 3, 6, 1, 4, 1, 476, 1, 42, 4, 10, 1, 8)) if mibBuilder.loadTexts: lgpPMPonSTS2PDU.setStatus('current') mibBuilder.exportSymbols('LIEBERT-GP-REGISTRATION-MIB', emerson=emerson, lgpAgentNotifications=lgpAgentNotifications, lgpIcomXD=lgpIcomXD, lgpEXMMSR=lgpEXMMSR, liebertCorp=liebertCorp, lgpRackPDU=lgpRackPDU, lgpRackPDU2=lgpRackPDU2, lgpStaticTransferSwitch2FourPole=lgpStaticTransferSwitch2FourPole, lgpAgentIdent=lgpAgentIdent, lgpNX=lgpNX, lgpAcProducts=lgpAcProducts, lgpNX225to600k=lgpNX225to600k, lgpPowerDistributionProducts=lgpPowerDistributionProducts, lgpGXT3Dual=lgpGXT3Dual, lgpPMPonSTS2=lgpPMPonSTS2, lgpEPMP=lgpEPMP, lgpIcomXPtypeXDC=lgpIcomXPtypeXDC, lgpNfinity=lgpNfinity, lgpRPC2kMPX=lgpRPC2kMPX, lgpPMP=lgpPMP, lgpPMPonFDC=lgpPMPonFDC, lgpGXT4Dual=lgpGXT4Dual, lgpIcomPAtypeHPS=lgpIcomPAtypeHPS, lgpIcomCRtypeCRV=lgpIcomCRtypeCRV, lgpSystem=lgpSystem, lgpIcomPAtypePDXsmall=lgpIcomPAtypePDXsmall, lgpGXT3=lgpGXT3, lgpEXM480v=lgpEXM480v, lgpEnvironmental=lgpEnvironmental, lgpIcomSCtypeHPC=lgpIcomSCtypeHPC, lgpStaticTransferSwitchEDS=lgpStaticTransferSwitchEDS, lgpCombinedSystemProducts=lgpCombinedSystemProducts, lgpIcomPAtypeDS=lgpIcomPAtypeDS, lgpMUNiMx=lgpMUNiMx, lgpNpower=lgpNpower, lgpPMPonFPC=lgpPMPonFPC, lgpIcomPAtypePeX=lgpIcomPAtypePeX, lgpPowerSureInteractive2=lgpPowerSureInteractive2, lgpStaticTransferSwitch2=lgpStaticTransferSwitch2, lgpUPStationGXT=lgpUPStationGXT, lgpITA=lgpITA, lgpIcomXPtypeXDPCray=lgpIcomXPtypeXDPCray, lgpPdu=lgpPdu, PYSNMP_MODULE_ID=liebertGlobalProductsRegistrationModule, lgpController=lgpController, lgpTransferSwitchProducts=lgpTransferSwitchProducts, lgpIcomSC=lgpIcomSC, lgpEPM600k=lgpEPM600k, lgpCEMS100orLECS15=lgpCEMS100orLECS15, lgpIcomSCtypeHPCSSmall=lgpIcomSCtypeHPCSSmall, lgpNXRb=lgpNXRb, lgpIcomPAtypeDeluxeSystem3=lgpIcomPAtypeDeluxeSystem3, lgpFoundation=lgpFoundation, liebertFlexibleConditionsModuleReg=liebertFlexibleConditionsModuleReg, lgpIcomSCtypeHPCL=lgpIcomSCtypeHPCL, lgpIcomSCtypeHPCM=lgpIcomSCtypeHPCM, lgpIcomSCtypeHPCW=lgpIcomSCtypeHPCW, lgpPMPonSTS2PDU=lgpPMPonSTS2PDU, lgpIcomPAtypeDeluxeSys3=lgpIcomPAtypeDeluxeSys3, lgpIcomPA=lgpIcomPA, liebertFlexibleModuleReg=liebertFlexibleModuleReg, liebertControllerModuleReg=liebertControllerModuleReg, lgpAPS=lgpAPS, lgpIcomAHStandard=lgpIcomAHStandard, lgpIcomPAtypePDXlarge=lgpIcomPAtypePDXlarge, lgpEXM=lgpEXM, lgpMultiLinkBasicNotification=lgpMultiLinkBasicNotification, lgpPMPgeneric=lgpPMPgeneric, lgpPMPonRDC=lgpPMPonRDC, liebertGlobalProductsRegistrationModule=liebertGlobalProductsRegistrationModule, lgpSeries610MMU=lgpSeries610MMU, lgpIcomSCtypeHPCSLarge=lgpIcomSCtypeHPCSLarge, lgpMPX=lgpMPX, lgpIcomCR=lgpIcomCR, lgpNXC=lgpNXC, liebertPowerModuleReg=liebertPowerModuleReg, lgpStandardMicroprocessor=lgpStandardMicroprocessor, lgpEPM300k=lgpEPM300k, lgpNXLJD=lgpNXLJD, lgpIcomXPtypeXDPW=lgpIcomXPtypeXDPW, lgpFlexible=lgpFlexible, lgpGXT4=lgpGXT4, lgpGXT2Dual=lgpGXT2Dual, liebertPduModuleReg=liebertPduModuleReg, lgpEPM400k=lgpEPM400k, lgpIcomPAtypeJumboCW=lgpIcomPAtypeJumboCW, lgpPMPonEXC=lgpPMPonEXC, liebertAgentModuleReg=liebertAgentModuleReg, lgpRPC2kMPH=lgpRPC2kMPH, lgpNXL=lgpNXL, lgpSeries300=lgpSeries300, lgpConditions=lgpConditions, lgpIcomPAtypeDSE=lgpIcomPAtypeDSE, lgpMPH=lgpMPH, liebertNotificationsModuleReg=liebertNotificationsModuleReg, lgpSeries610SCC=lgpSeries610SCC, lgpIcomPAtypePCWlarge=lgpIcomPAtypePCWlarge, lgpIcomPAtypePDX=lgpIcomPAtypePDX, lgpHiNet=lgpHiNet, lgpAgent=lgpAgent, lgpPowerSureInteractive=lgpPowerSureInteractive, lgpSuper400=lgpSuper400, lgpAgentControl=lgpAgentControl, lgpSeries600or610=lgpSeries600or610, lgpIcomXDtypeXDF=lgpIcomXDtypeXDF, lgpModuleReg=lgpModuleReg, lgpSeries610SMS=lgpSeries610SMS, lgpIcomSCtypeHPCR=lgpIcomSCtypeHPCR, lgpEXL=lgpEXL, lgpAdvancedMicroprocessor=lgpAdvancedMicroprocessor, lgpIcomAH=lgpIcomAH, lgpIcomXP=lgpIcomXP, liebertSystemModuleReg=liebertSystemModuleReg, lgpIcomPAtypePEXS=lgpIcomPAtypePEXS, lgpEXM208v=lgpEXM208v, lgpEXM400v=lgpEXM400v, lgpEPM500k=lgpEPM500k, lgpPMPonPPC=lgpPMPonPPC, lgpEPM=lgpEPM, lgpIcomPAtypePCWsmall=lgpIcomPAtypePCWsmall, lgpIcom=lgpIcom, lgpIcomPAtypeHPM=lgpIcomPAtypeHPM, lgpUpsProducts=lgpUpsProducts, lgpStaticTransferSwitch1=lgpStaticTransferSwitch1, lgpMiniMate2=lgpMiniMate2, lgpProductSpecific=lgpProductSpecific, lgpNXC30to40k=lgpNXC30to40k, lgpPower=lgpPower, lgpIcomPAtypeCW=lgpIcomPAtypeCW, lgpSeries7200=lgpSeries7200, lgpIcomEEV=lgpIcomEEV, liebertModuleReg=liebertModuleReg, lgpMultiLinkProducts=lgpMultiLinkProducts, lgpPMPandLDMF=lgpPMPandLDMF, lgpNotifications=lgpNotifications, liebertGlobalProducts=liebertGlobalProducts, lgpNXr=lgpNXr, lgpIcomXDtypeXDFN=lgpIcomXDtypeXDFN, lgpIcomXPtypeXDP=lgpIcomXPtypeXDP, lgpAgentDevice=lgpAgentDevice, lgpIcomDCL=lgpIcomDCL, liebertConditionsModuleReg=liebertConditionsModuleReg, lgpITA30to40k=lgpITA30to40k, lgpIcomPAtypeChallenger=lgpIcomPAtypeChallenger, lgpPowerConditioningProducts=lgpPowerConditioningProducts, lgpHimod=lgpHimod, lgpEPM800k=lgpEPM800k, liebertEnvironmentalModuleReg=liebertEnvironmentalModuleReg)
class BadRequest(Exception): pass class ParamError(BadRequest): pass class Unauthorized(Exception): pass class Forbidden(Exception): pass class NotFound(Exception): pass class IDNotFoundError(NotFound): pass class Conflict(Exception): pass class ParamConflict(Conflict): pass class PreconditionFail(Exception): pass class OauthUnauthorized(Exception): pass class OauthBadRequest(Exception): pass
class Badrequest(Exception): pass class Paramerror(BadRequest): pass class Unauthorized(Exception): pass class Forbidden(Exception): pass class Notfound(Exception): pass class Idnotfounderror(NotFound): pass class Conflict(Exception): pass class Paramconflict(Conflict): pass class Preconditionfail(Exception): pass class Oauthunauthorized(Exception): pass class Oauthbadrequest(Exception): pass
# Copyright (c) 2017 Mark D. Hill and David A. Wood # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer; # redistributions in binary form must reproduce the above copyright # notice, this list of conditions and the following disclaimer in the # documentation and/or other materials provided with the distribution; # neither the name of the copyright holders nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # # Authors: Sean Wilson class Result: enums = ''' NotRun Skipped Passed Failed Errored '''.split() for idx, enum in enumerate(enums): locals()[enum] = idx @classmethod def name(cls, enum): return cls.enums[enum] def __init__(self, value, reason=None): self.value = value self.reason = reason def __str__(self): return self.name(self.value) class Status: enums = ''' Unscheduled Building Running TearingDown Complete Avoided '''.split() for idx, enum in enumerate(enums): locals()[enum] = idx @classmethod def name(cls, enum): return cls.enums[enum]
class Result: enums = '\n NotRun\n Skipped\n Passed\n Failed\n Errored\n '.split() for (idx, enum) in enumerate(enums): locals()[enum] = idx @classmethod def name(cls, enum): return cls.enums[enum] def __init__(self, value, reason=None): self.value = value self.reason = reason def __str__(self): return self.name(self.value) class Status: enums = '\n Unscheduled\n Building\n Running\n TearingDown\n Complete\n Avoided\n '.split() for (idx, enum) in enumerate(enums): locals()[enum] = idx @classmethod def name(cls, enum): return cls.enums[enum]
a= "goat" def animal(): global a b = "pakka" a = a * 6 print(a) print(b) animal()
a = 'goat' def animal(): global a b = 'pakka' a = a * 6 print(a) print(b) animal()
def selection_sort(alist): for i in range(0, len(alist) - 1): smallest = i for j in range(i + 1, len(alist)): if alist[j] < alist[smallest]: smallest = j alist[i], alist[smallest] = alist[smallest], alist[i] alist = input('Enter the list of numbers: ').split() alist = [int(x) for x in alist] selection_sort(alist) print('Sorted list: ', end='') print(alist)
def selection_sort(alist): for i in range(0, len(alist) - 1): smallest = i for j in range(i + 1, len(alist)): if alist[j] < alist[smallest]: smallest = j (alist[i], alist[smallest]) = (alist[smallest], alist[i]) alist = input('Enter the list of numbers: ').split() alist = [int(x) for x in alist] selection_sort(alist) print('Sorted list: ', end='') print(alist)
# Idenpotant # Closure def outer_function(tag): pass def add(x, y): return x + y def deco(orig_func): def wrapper(*args, **kwargs): print("That is to know that I ran the deco func") return orig_func(*args, **kwargs) return wrapper add = deco(add) print(add(3, 5))
def outer_function(tag): pass def add(x, y): return x + y def deco(orig_func): def wrapper(*args, **kwargs): print('That is to know that I ran the deco func') return orig_func(*args, **kwargs) return wrapper add = deco(add) print(add(3, 5))
skills = [ { "id" : "0001", "name" : "Liver of Steel", "type" : "Passive", "isPermable" : False, "effects" : { "maximumInebriety" : "+5", }, }, { "id" : "0002", "name" : "Chronic Indigestion", "type" : "Combat", "mpCost" : 5, }, { "id" : "0003", "name" : "The Smile of Mr. A.", "type" : "Buff", "mpCost" : 5, "isPermable" : False, }, { "id" : "0004", "name" : "Arse Shoot", "type" : "Buff", "mpCost" : 5, "isPermable" : False, }, { "id" : "0005", "name" : "Stomach of Steel", "type" : "Passive", "isPermable" : False, "effects" : { "maximumFullness" : "+5", }, }, { "id" : "0006", "name" : "Spleen of Steel", "type" : "Passive", "isPermable" : False, "effects" : { "maximumSpleen" : "+5", }, }, { "id" : "0010", "name" : "Powers of Observatiogn", "type" : "Passive", "effects" : { "itemDrop" : "+10%", }, }, { "id" : "0011", "name" : "Gnefarious Pickpocketing", "type" : "Passive", "effects" : { "meatDrop" : "+10%", }, }, { "id" : "0012", "name" : "Torso Awaregness", "type" : "Passive", }, { "id" : "0013", "name" : "Gnomish Hardigness", "type" : "Passive", "effects" : { "maximumHP" : "+5%", }, }, { "id" : "0014", "name" : "Cosmic Ugnderstanding", "type" : "Passive", "effects" : { "maximumMP" : "+5%", }, }, { "id" : "0015", "name" : "CLEESH", "type" : "Combat", "mpCost" : 10, }, { "id" : "0019", "name" : "Transcendent Olfaction", "type" : "Combat", "mpCost" : 40, "isAutomaticallyPermed" : True, }, { "id" : "0020", "name" : "Really Expensive Jewelrycrafting", "type" : "Passive", "isPermable" : False, }, { "id" : "0021", "name" : "Lust", "type" : "Passive", "isPermable" : False, "effects" : { "combatInitiative" : "+50%", "spellDamage" : "-5", "meleeDamage" : "-5", }, }, { "id" : "0022", "name" : "Gluttony", "type" : "Passive", "isPermable" : False, "effects" : { "strengthensFood" : True, "statsPerFight" : "-2", }, }, { "id" : "0023", "name" : "Greed", "type" : "Passive", "isPermable" : False, "effects" : { "meatDrop" : "+50%", "itemDrop" : "-15%", }, }, { "id" : "0024", "name" : "Sloth", "type" : "Passive", "isPermable" : False, "effects" : { "damageReduction" : "+8", "combatInitiative" : "-25%", }, }, { "id" : "0025", "name" : "Wrath", "type" : "Passive", "isPermable" : False, "effects" : { "spellDamage" : "+10", "meleeDamage" : "+10", "damageReduction" : "-4", }, }, { "id" : "0026", "name" : "Envy", "type" : "Passive", "isPermable" : False, "effects" : { "itemDrop" : "+30%", "meatDrop" : "-25%", }, }, { "id" : "0027", "name" : "Pride", "type" : "Passive", "isPermable" : False, "effects" : { "statsPerFight" : "+4", "weakensFood" : True, }, }, { "id" : "0028", "name" : "Awesome Balls of Fire", "type" : "Combat", "mpCost" : 120, }, { "id" : "0029", "name" : "Conjure Relaxing Campfire", "type" : "Combat", "mpCost" : 30, }, { "id" : "0030", "name" : "Snowclone", "type" : "Combat", "mpCost" : 120, }, { "id" : "0031", "name" : "Maximum Chill", "type" : "Combat", "mpCost" : 30, }, { "id" : "0032", "name" : "Eggsplosion", "type" : "Combat", "mpCost" : 120, }, { "id" : "0033", "name" : "Mudbath", "type" : "Combat", "mpCost" : 30, }, { "id" : "0036", "name" : "Grease Lightning", "type" : "Combat", "mpCost" : 120, }, { "id" : "0037", "name" : "Inappropriate Backrub", "type" : "Combat", "mpCost" : 30, }, { "id" : "0038", "name" : "Natural Born Scrabbler", "type" : "Passive", "effects" : { "itemDrop" : "+5%", }, }, { "id" : "0039", "name" : "Thrift and Grift", "type" : "Passive", "effects" : { "meatDrop" : "+10%", }, }, { "id" : "0040", "name" : "Abs of Tin", "type" : "Passive", "effects" : { "maximumHP" : "+10%", }, }, { "id" : "0041", "name" : "Marginally Insane", "type" : "Passive", "effects" : { "maximumMP" : "+10%", }, }, { "id" : "0042", "name" : "Raise Backup Dancer", "type" : "Combat", "mpCost" : 120, }, { "id" : "0043", "name" : "Creepy Lullaby", "type" : "Combat", "mpCost" : 30, }, { "id" : "0044", "name" : "Rainbow Gravitation", "type" : "Noncombat", "mpCost" : 30, }, { "id" : "1000", "name" : "Seal Clubbing Frenzy", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "1003", "name" : "Thrust-Smack", "type" : "Combat", "mpCost" : 3, }, { "id" : "1004", "name" : "Lunge-Smack", "type" : "Combat", "mpCost" : 5, }, { "id" : "1005", "name" : "Lunging Thrust-Smack", "type" : "Combat", "mpCost" : 8, }, { "id" : "1006", "name" : "Super-Advanced Meatsmithing", "type" : "Passive", }, { "id" : "1007", "name" : "Tongue of the Otter", "type" : "Noncombat", "mpCost" : 7, }, { "id" : "1008", "name" : "Hide of the Otter", "type" : "Passive", }, { "id" : "1009", "name" : "Claws of the Otter", "type" : "Passive", }, { "id" : "1010", "name" : "Tongue of the Walrus", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "1011", "name" : "Hide of the Walrus", "type" : "Passive", }, { "id" : "1012", "name" : "Claws of the Walrus", "type" : "Passive", }, { "id" : "1014", "name" : "Eye of the Stoat", "type" : "Passive", }, { "id" : "1015", "name" : "Rage of the Reindeer", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "1016", "name" : "Pulverize", "type" : "Passive", }, { "id" : "1017", "name" : "Double-Fisted Skull Smashing", "type" : "Passive", }, { "id" : "1018", "name" : "Northern Exposure", "type" : "Passive", }, { "id" : "1019", "name" : "Musk of the Moose", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "1020", "name" : "Snarl of the Timberwolf", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "2000", "name" : "Patience of the Tortoise", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "2003", "name" : "Headbutt", "type" : "Combat", "mpCost" : 3, }, { "id" : "2004", "name" : "Skin of the Leatherback", "type" : "Passive", }, { "id" : "2005", "name" : "Shieldbutt", "type" : "Combat", "mpCost" : 5, }, { "id" : "2006", "name" : "Armorcraftiness", "type" : "Passive", }, { "id" : "2007", "name" : "Ghostly Shell", "type" : "Buff", "mpCost" : 6, }, { "id" : "2008", "name" : "Reptilian Fortitude", "type" : "Buff", "mpCost" : 10, }, { "id" : "2009", "name" : "Empathy of the Newt", "type" : "Buff", "mpCost" : 15, }, { "id" : "2010", "name" : "Tenacity of the Snapper", "type" : "Buff", "mpCost" : 8, }, { "id" : "2011", "name" : "Wisdom of the Elder Tortoises", "type" : "Passive", }, { "id" : "2012", "name" : "Astral Shell", "type" : "Buff", "mpCost" : 10, }, { "id" : "2014", "name" : "Amphibian Sympathy", "type" : "Passive", }, { "id" : "2015", "name" : "Kneebutt", "type" : "Combat", "mpCost" : 4, }, { "id" : "2016", "name" : "Cold-Blooded Fearlessness", "type" : "Passive", }, { "id" : "2020", "name" : "Hero of the Half-Shell", "type" : "Passive", }, { "id" : "2021", "name" : "Tao of the Terrapin", "type" : "Passive", }, { "id" : "2022", "name" : "Spectral Snapper", "type" : "Combat", "mpCost" : 20, }, { "id" : "2103", "name" : "Head + Knee Combo", "type" : "Combat", "mpCost" : 8, }, { "id" : "2105", "name" : "Head + Shield Combo", "type" : "Combat", "mpCost" : 9, }, { "id" : "2106", "name" : "Knee + Shield Combo", "type" : "Combat", "mpCost" : 10, }, { "id" : "2107", "name" : "Head + Knee + Shield Combo", "type" : "Combat", "mpCost" : 13, }, { "id" : "3000", "name" : "Manicotti Meditation", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "3003", "name" : "Ravioli Shurikens", "type" : "Combat", "mpCost" : 4, }, { "id" : "3004", "name" : "Entangling Noodles", "type" : "Combat", "mpCost" : 3, }, { "id" : "3005", "name" : "Cannelloni Cannon", "type" : "Combat", "mpCost" : 7, }, { "id" : "3006", "name" : "Pastamastery", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3007", "name" : "Stuffed Mortar Shell", "type" : "Combat", "mpCost" : 19, }, { "id" : "3008", "name" : "Weapon of the Pastalord", "type" : "Combat", "mpCost" : 35, }, { "id" : "3009", "name" : "Lasagna Bandages", "type" : "Combat / Noncombat", "mpCost" : 6, }, { "id" : "3010", "name" : "Leash of Linguini", "type" : "Noncombat", "mpCost" : 12, }, { "id" : "3011", "name" : "Spirit of Rigatoni", "type" : "Passive", }, { "id" : "3012", "name" : "Cannelloni Cocoon", "type" : "Noncombat", "mpCost" : 20, }, { "id" : "3014", "name" : "Spirit of Ravioli", "type" : "Passive", }, { "id" : "3015", "name" : "Springy Fusilli", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3016", "name" : "Tolerance of the Kitchen", "type" : "Passive", }, { "id" : "3017", "name" : "Flavour of Magic", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3018", "name" : "Transcendental Noodlecraft", "type" : "Passive", }, { "id" : "3019", "name" : "Fearful Fettucini", "type" : "Combat", "mpCost" : 35, }, { "id" : "3020", "name" : "Spaghetti Spear", "type" : "Combat", "mpCost" : 1, }, { "id" : "3101", "name" : "Spirit of Cayenne", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3102", "name" : "Spirit of Peppermint", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3103", "name" : "Spirit of Garlic", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3104", "name" : "Spirit of Wormwood", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "3105", "name" : "Spirit of Bacon Grease", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "4000", "name" : "Sauce Contemplation", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "4003", "name" : "Stream of Sauce", "type" : "Combat", "mpCost" : 3, }, { "id" : "4004", "name" : "Expert Panhandling", "type" : "Passive", }, { "id" : "4005", "name" : "Saucestorm", "type" : "Combat", "mpCost" : 12, }, { "id" : "4006", "name" : "Advanced Saucecrafting", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "4007", "name" : "Elemental Saucesphere", "type" : "Buff", "mpCost" : 10, }, { "id" : "4008", "name" : "Jalapeno Saucesphere", "type" : "Buff", "mpCost" : 5, }, { "id" : "4009", "name" : "Wave of Sauce", "type" : "Combat", "mpCost" : 23, }, { "id" : "4010", "name" : "Intrinsic Spiciness", "type" : "Passive", }, { "id" : "4011", "name" : "Jabanero Saucesphere", "type" : "Buff", "mpCost" : 10, }, { "id" : "4012", "name" : "Saucegeyser", "type" : "Combat", "mpCost" : 40, }, { "id" : "4014", "name" : "Saucy Salve", "type" : "Combat", "mpCost" : 4, }, { "id" : "4015", "name" : "Impetuous Sauciness", "type" : "Passive", }, { "id" : "4016", "name" : "Diminished Gag Reflex", "type" : "Passive", }, { "id" : "4017", "name" : "Immaculate Seasoning", "type" : "Passive", }, { "id" : "4018", "name" : "The Way of Sauce", "type" : "Passive", }, { "id" : "4019", "name" : "Scarysauce", "type" : "Buff", "mpCost" : 10, }, { "id" : "4020", "name" : "Salsaball", "type" : "Combat", "mpCost" : 1, }, { "id" : "5000", "name" : "Disco Aerobics", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "5003", "name" : "Disco Eye-Poke", "type" : "Combat", "mpCost" : 3, }, { "id" : "5004", "name" : "Nimble Fingers", "type" : "Passive", }, { "id" : "5005", "name" : "Disco Dance of Doom", "type" : "Combat", "mpCost" : 5, }, { "id" : "5006", "name" : "Mad Looting Skillz", "type" : "Passive", }, { "id" : "5007", "name" : "Disco Nap", "type" : "Noncombat", "mpCost" : 8, }, { "id" : "5008", "name" : "Disco Dance II: Electric Boogaloo", "type" : "Combat", "mpCost" : 7, }, { "id" : "5009", "name" : "Disco Fever", "type" : "Passive", }, { "id" : "5010", "name" : "Overdeveloped Sense of Self Preservation", "type" : "Passive", }, { "id" : "5011", "name" : "Disco Power Nap", "type" : "Noncombat", "mpCost" : 12, }, { "id" : "5012", "name" : "Disco Face Stab", "type" : "Combat", "mpCost" : 10, }, { "id" : "5014", "name" : "Advanced Cocktailcrafting", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "5015", "name" : "Ambidextrous Funkslinging", "type" : "Passive", }, { "id" : "5016", "name" : "Heart of Polyester", "type" : "Passive", }, { "id" : "5017", "name" : "Smooth Movement", "type" : "Noncombat", "mpCost" : 10, }, { "id" : "5018", "name" : "Superhuman Cocktailcrafting", "type" : "Passive", }, { "id" : "5019", "name" : "Tango of Terror", "type" : "Combat", "mpCost" : 8, }, { "id" : "6000", "name" : "Moxie of the Mariachi", "type" : "Noncombat", "mpCost" : 1, }, { "id" : "6003", "name" : "Aloysius' Antiphon of Aptitude", "type" : "Buff", "mpCost" : 40, }, { "id" : "6004", "name" : "The Moxious Madrigal", "type" : "Buff", "mpCost" : 2, }, { "id" : "6005", "name" : "Cletus's Canticle of Celerity", "type" : "Buff", "mpCost" : 4, }, { "id" : "6006", "name" : "The Polka of Plenty", "type" : "Buff", "mpCost" : 7, }, { "id" : "6007", "name" : "The Magical Mojomuscular Melody", "type" : "Buff", "mpCost" : 3, }, { "id" : "6008", "name" : "The Power Ballad of the Arrowsmith", "type" : "Buff", "mpCost" : 5, }, { "id" : "6009", "name" : "Brawnee's Anthem of Absorption", "type" : "Buff", "mpCost" : 13, }, { "id" : "6010", "name" : "Fat Leon's Phat Loot Lyric", "type" : "Buff", "mpCost" : 11, }, { "id" : "6011", "name" : "The Psalm of Pointiness", "type" : "Buff", "mpCost" : 15, }, { "id" : "6012", "name" : "Jackasses' Symphony of Destruction", "type" : "Buff", "mpCost" : 9, }, { "id" : "6013", "name" : "Stevedave's Shanty of Superiority", "type" : "Buff", "mpCost" : 30, }, { "id" : "6014", "name" : "The Ode to Booze", "type" : "Buff", "mpCost" : 50, }, { "id" : "6015", "name" : "The Sonata of Sneakiness", "type" : "Buff", "mpCost" : 20, }, { "id" : "6016", "name" : "Carlweather's Cantata of Confrontation", "type" : "Buff", "mpCost" : 20, }, { "id" : "6017", "name" : "Ur-Kel's Aria of Annoyance", "type" : "Buff", "mpCost" : 30, }, { "id" : "6018", "name" : "Dirge of Dreadfulness", "type" : "Buff", "mpCost" : 9, }, { "id" : "6020", "name" : "The Ballad of Richie Thingfinder", "type" : "Buff", "mpCost" : 50, }, { "id" : "6021", "name" : "Benetton's Medley of Diversity", "type" : "Buff", "mpCost" : 50, }, { "id" : "6022", "name" : "Elron's Explosive Etude", "type" : "Buff", "mpCost" : 50, }, { "id" : "6023", "name" : "Chorale of Companionship", "type" : "Buff", "mpCost" : 50, }, { "id" : "6024", "name" : "Prelude of Precision", "type" : "Buff", "mpCost" : 50, }, { "id" : "7001", "name" : "Give In To Your Vampiric Urges", "type" : "Combat", "mpCost" : 0, }, { "id" : "7002", "name" : "Shake Hands", "type" : "Combat", "mpCost" : 0, }, { "id" : "7003", "name" : "Hot Breath", "type" : "Combat", "mpCost" : 5, }, { "id" : "7004", "name" : "Cold Breath", "type" : "Combat", "mpCost" : 5, }, { "id" : "7005", "name" : "Spooky Breath", "type" : "Combat", "mpCost" : 5, }, { "id" : "7006", "name" : "Stinky Breath", "type" : "Combat", "mpCost" : 5, }, { "id" : "7007", "name" : "Sleazy Breath", "type" : "Combat", "mpCost" : 5, }, { "id" : "7008", "name" : "Moxious Maneuver", "type" : "Combat", }, { "id" : "7009", "name" : "Magic Missile", "type" : "Combat", "mpCost" : 2, }, { "id" : "7010", "name" : "Fire Red Bottle-Rocket", "type" : "Combat", "mpCost" : 5, }, { "id" : "7011", "name" : "Fire Blue Bottle-Rocket", "type" : "Combat", "mpCost" : 5, }, { "id" : "7012", "name" : "Fire Orange Bottle-Rocket", "type" : "Combat", "mpCost" : 5, }, { "id" : "7013", "name" : "Fire Purple Bottle-Rocket", "type" : "Combat", "mpCost" : 5, }, { "id" : "7014", "name" : "Fire Black Bottle-Rocket", "type" : "Combat", "mpCost" : 5, }, { "id" : "7015", "name" : "Creepy Grin", "type" : "Combat", "mpCost" : 30, }, { "id" : "7016", "name" : "Start Trash Fire", "type" : "Combat", "mpCost" : 100, }, { "id" : "7017", "name" : "Overload Discarded Refrigerator", "type" : "Combat", "mpCost" : 100, }, { "id" : "7018", "name" : "Trashquake", "type" : "Combat", "mpCost" : 100, }, { "id" : "7019", "name" : "Zombo's Visage", "type" : "Combat", "mpCost" : 100, }, { "id" : "7020", "name" : "Hypnotize Hobo", "type" : "Combat", "mpCost" : 100, }, { "id" : "7021", "name" : "Ask Richard for a Bandage", "type" : "Combat", }, { "id" : "7022", "name" : "Ask Richard for a Grenade", "type" : "Combat", }, { "id" : "7023", "name" : "Ask Richard to Rough the Hobo Up a Bit", "type" : "Combat", }, { "id" : "7024", "name" : "Summon Mayfly Swarm", "type" : "Combat", "mpCost" : 0, }, { "id" : "7025", "name" : "Get a You-Eye View", "type" : "Combat", "mpCost" : 30, }, { "id" : "7038", "name" : "Vicious Talon Slash", "type" : "Combat", "mpCost" : 5, }, { "id" : "7039", "name" : "All-You-Can-Beat Wing Buffet", "type" : "Combat", "mpCost" : 10, }, { "id" : "7040", "name" : "Tunnel Upwards", "type" : "Combat", "mpCost" : 0, }, { "id" : "7041", "name" : "Tunnel Downwards", "type" : "Combat", "mpCost" : 0, }, { "id" : "7042", "name" : "Rise From Your Ashes", "type" : "Combat", "mpCost" : 20, }, { "id" : "7043", "name" : "Antarctic Flap", "type" : "Combat", "mpCost" : 10, }, { "id" : "7044", "name" : "The Statue Treatment", "type" : "Combat", "mpCost" : 20, }, { "id" : "7045", "name" : "Feast on Carrion", "type" : "Combat", "mpCost" : 20, }, { "id" : "7046", "name" : "Give Your Opponent \"The Bird\"", "type" : "Combat", "mpCost" : 20, }, { "id" : "7047", "name" : "Ask the hobo for a drink", "type" : "Combat", "mpCost" : 0, }, { "id" : "7048", "name" : "Ask the hobo for something to eat", "type" : "Combat", "mpCost" : 0, }, { "id" : "7049", "name" : "Ask the hobo for some violence", "type" : "Combat", "mpCost" : 0, }, { "id" : "7050", "name" : "Ask the hobo to tell you a joke", "type" : "Combat", "mpCost" : 0, }, { "id" : "7051", "name" : "Ask the hobo to dance for you", "type" : "Combat", "mpCost" : 0, }, { "id" : "7052", "name" : "Summon hobo underling", "type" : "Combat", "mpCost" : 0, }, { "id" : "7053", "name" : "Rouse Sapling", "type" : "Combat", "mpCost" : 15, }, { "id" : "7054", "name" : "Spray Sap", "type" : "Combat", "mpCost" : 15, }, { "id" : "7055", "name" : "Put Down Roots", "type" : "Combat", "mpCost" : 15, }, { "id" : "7056", "name" : "Fire off a Roman Candle", "type" : "Combat", "mpCost" : 10, }, { "id" : "7061", "name" : "Spring Raindrop Attack", "type" : "Combat", "mpCost" : 0, }, { "id" : "7062", "name" : "Summer Siesta", "type" : "Combat", "mpCost" : 10, }, { "id" : "7063", "name" : "Falling Leaf Whirlwind", "type" : "Combat", "mpCost" : 10, }, { "id" : "7064", "name" : "Winter's Bite Technique", "type" : "Combat", "mpCost" : 10, }, { "id" : "7065", "name" : "The 17 Cuts", "type" : "Combat", "mpCost" : 10, }, { "id" : "8000", "name" : "Summon Snowcones", "type" : "Mystical Bookshelf", "mpCost" : 5, }, { "id" : "8100", "name" : "Summon Candy Heart", "type" : "Mystical Bookshelf", }, { "id" : "8101", "name" : "Summon Party Favor", "type" : "Mystical Bookshelf", }, { "id" : "8200", "name" : "Summon Hilarious Objects", "type" : "Mystical Bookshelf", "mpCost" : 5, }, { "id" : "8201", "name" : "Summon \"Tasteful\" Gifts", "type" : "Mystical Bookshelf", "mpCost" : 5, }, ]
skills = [{'id': '0001', 'name': 'Liver of Steel', 'type': 'Passive', 'isPermable': False, 'effects': {'maximumInebriety': '+5'}}, {'id': '0002', 'name': 'Chronic Indigestion', 'type': 'Combat', 'mpCost': 5}, {'id': '0003', 'name': 'The Smile of Mr. A.', 'type': 'Buff', 'mpCost': 5, 'isPermable': False}, {'id': '0004', 'name': 'Arse Shoot', 'type': 'Buff', 'mpCost': 5, 'isPermable': False}, {'id': '0005', 'name': 'Stomach of Steel', 'type': 'Passive', 'isPermable': False, 'effects': {'maximumFullness': '+5'}}, {'id': '0006', 'name': 'Spleen of Steel', 'type': 'Passive', 'isPermable': False, 'effects': {'maximumSpleen': '+5'}}, {'id': '0010', 'name': 'Powers of Observatiogn', 'type': 'Passive', 'effects': {'itemDrop': '+10%'}}, {'id': '0011', 'name': 'Gnefarious Pickpocketing', 'type': 'Passive', 'effects': {'meatDrop': '+10%'}}, {'id': '0012', 'name': 'Torso Awaregness', 'type': 'Passive'}, {'id': '0013', 'name': 'Gnomish Hardigness', 'type': 'Passive', 'effects': {'maximumHP': '+5%'}}, {'id': '0014', 'name': 'Cosmic Ugnderstanding', 'type': 'Passive', 'effects': {'maximumMP': '+5%'}}, {'id': '0015', 'name': 'CLEESH', 'type': 'Combat', 'mpCost': 10}, {'id': '0019', 'name': 'Transcendent Olfaction', 'type': 'Combat', 'mpCost': 40, 'isAutomaticallyPermed': True}, {'id': '0020', 'name': 'Really Expensive Jewelrycrafting', 'type': 'Passive', 'isPermable': False}, {'id': '0021', 'name': 'Lust', 'type': 'Passive', 'isPermable': False, 'effects': {'combatInitiative': '+50%', 'spellDamage': '-5', 'meleeDamage': '-5'}}, {'id': '0022', 'name': 'Gluttony', 'type': 'Passive', 'isPermable': False, 'effects': {'strengthensFood': True, 'statsPerFight': '-2'}}, {'id': '0023', 'name': 'Greed', 'type': 'Passive', 'isPermable': False, 'effects': {'meatDrop': '+50%', 'itemDrop': '-15%'}}, {'id': '0024', 'name': 'Sloth', 'type': 'Passive', 'isPermable': False, 'effects': {'damageReduction': '+8', 'combatInitiative': '-25%'}}, {'id': '0025', 'name': 'Wrath', 'type': 'Passive', 'isPermable': False, 'effects': {'spellDamage': '+10', 'meleeDamage': '+10', 'damageReduction': '-4'}}, {'id': '0026', 'name': 'Envy', 'type': 'Passive', 'isPermable': False, 'effects': {'itemDrop': '+30%', 'meatDrop': '-25%'}}, {'id': '0027', 'name': 'Pride', 'type': 'Passive', 'isPermable': False, 'effects': {'statsPerFight': '+4', 'weakensFood': True}}, {'id': '0028', 'name': 'Awesome Balls of Fire', 'type': 'Combat', 'mpCost': 120}, {'id': '0029', 'name': 'Conjure Relaxing Campfire', 'type': 'Combat', 'mpCost': 30}, {'id': '0030', 'name': 'Snowclone', 'type': 'Combat', 'mpCost': 120}, {'id': '0031', 'name': 'Maximum Chill', 'type': 'Combat', 'mpCost': 30}, {'id': '0032', 'name': 'Eggsplosion', 'type': 'Combat', 'mpCost': 120}, {'id': '0033', 'name': 'Mudbath', 'type': 'Combat', 'mpCost': 30}, {'id': '0036', 'name': 'Grease Lightning', 'type': 'Combat', 'mpCost': 120}, {'id': '0037', 'name': 'Inappropriate Backrub', 'type': 'Combat', 'mpCost': 30}, {'id': '0038', 'name': 'Natural Born Scrabbler', 'type': 'Passive', 'effects': {'itemDrop': '+5%'}}, {'id': '0039', 'name': 'Thrift and Grift', 'type': 'Passive', 'effects': {'meatDrop': '+10%'}}, {'id': '0040', 'name': 'Abs of Tin', 'type': 'Passive', 'effects': {'maximumHP': '+10%'}}, {'id': '0041', 'name': 'Marginally Insane', 'type': 'Passive', 'effects': {'maximumMP': '+10%'}}, {'id': '0042', 'name': 'Raise Backup Dancer', 'type': 'Combat', 'mpCost': 120}, {'id': '0043', 'name': 'Creepy Lullaby', 'type': 'Combat', 'mpCost': 30}, {'id': '0044', 'name': 'Rainbow Gravitation', 'type': 'Noncombat', 'mpCost': 30}, {'id': '1000', 'name': 'Seal Clubbing Frenzy', 'type': 'Noncombat', 'mpCost': 1}, {'id': '1003', 'name': 'Thrust-Smack', 'type': 'Combat', 'mpCost': 3}, {'id': '1004', 'name': 'Lunge-Smack', 'type': 'Combat', 'mpCost': 5}, {'id': '1005', 'name': 'Lunging Thrust-Smack', 'type': 'Combat', 'mpCost': 8}, {'id': '1006', 'name': 'Super-Advanced Meatsmithing', 'type': 'Passive'}, {'id': '1007', 'name': 'Tongue of the Otter', 'type': 'Noncombat', 'mpCost': 7}, {'id': '1008', 'name': 'Hide of the Otter', 'type': 'Passive'}, {'id': '1009', 'name': 'Claws of the Otter', 'type': 'Passive'}, {'id': '1010', 'name': 'Tongue of the Walrus', 'type': 'Noncombat', 'mpCost': 10}, {'id': '1011', 'name': 'Hide of the Walrus', 'type': 'Passive'}, {'id': '1012', 'name': 'Claws of the Walrus', 'type': 'Passive'}, {'id': '1014', 'name': 'Eye of the Stoat', 'type': 'Passive'}, {'id': '1015', 'name': 'Rage of the Reindeer', 'type': 'Noncombat', 'mpCost': 10}, {'id': '1016', 'name': 'Pulverize', 'type': 'Passive'}, {'id': '1017', 'name': 'Double-Fisted Skull Smashing', 'type': 'Passive'}, {'id': '1018', 'name': 'Northern Exposure', 'type': 'Passive'}, {'id': '1019', 'name': 'Musk of the Moose', 'type': 'Noncombat', 'mpCost': 10}, {'id': '1020', 'name': 'Snarl of the Timberwolf', 'type': 'Noncombat', 'mpCost': 10}, {'id': '2000', 'name': 'Patience of the Tortoise', 'type': 'Noncombat', 'mpCost': 1}, {'id': '2003', 'name': 'Headbutt', 'type': 'Combat', 'mpCost': 3}, {'id': '2004', 'name': 'Skin of the Leatherback', 'type': 'Passive'}, {'id': '2005', 'name': 'Shieldbutt', 'type': 'Combat', 'mpCost': 5}, {'id': '2006', 'name': 'Armorcraftiness', 'type': 'Passive'}, {'id': '2007', 'name': 'Ghostly Shell', 'type': 'Buff', 'mpCost': 6}, {'id': '2008', 'name': 'Reptilian Fortitude', 'type': 'Buff', 'mpCost': 10}, {'id': '2009', 'name': 'Empathy of the Newt', 'type': 'Buff', 'mpCost': 15}, {'id': '2010', 'name': 'Tenacity of the Snapper', 'type': 'Buff', 'mpCost': 8}, {'id': '2011', 'name': 'Wisdom of the Elder Tortoises', 'type': 'Passive'}, {'id': '2012', 'name': 'Astral Shell', 'type': 'Buff', 'mpCost': 10}, {'id': '2014', 'name': 'Amphibian Sympathy', 'type': 'Passive'}, {'id': '2015', 'name': 'Kneebutt', 'type': 'Combat', 'mpCost': 4}, {'id': '2016', 'name': 'Cold-Blooded Fearlessness', 'type': 'Passive'}, {'id': '2020', 'name': 'Hero of the Half-Shell', 'type': 'Passive'}, {'id': '2021', 'name': 'Tao of the Terrapin', 'type': 'Passive'}, {'id': '2022', 'name': 'Spectral Snapper', 'type': 'Combat', 'mpCost': 20}, {'id': '2103', 'name': 'Head + Knee Combo', 'type': 'Combat', 'mpCost': 8}, {'id': '2105', 'name': 'Head + Shield Combo', 'type': 'Combat', 'mpCost': 9}, {'id': '2106', 'name': 'Knee + Shield Combo', 'type': 'Combat', 'mpCost': 10}, {'id': '2107', 'name': 'Head + Knee + Shield Combo', 'type': 'Combat', 'mpCost': 13}, {'id': '3000', 'name': 'Manicotti Meditation', 'type': 'Noncombat', 'mpCost': 1}, {'id': '3003', 'name': 'Ravioli Shurikens', 'type': 'Combat', 'mpCost': 4}, {'id': '3004', 'name': 'Entangling Noodles', 'type': 'Combat', 'mpCost': 3}, {'id': '3005', 'name': 'Cannelloni Cannon', 'type': 'Combat', 'mpCost': 7}, {'id': '3006', 'name': 'Pastamastery', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3007', 'name': 'Stuffed Mortar Shell', 'type': 'Combat', 'mpCost': 19}, {'id': '3008', 'name': 'Weapon of the Pastalord', 'type': 'Combat', 'mpCost': 35}, {'id': '3009', 'name': 'Lasagna Bandages', 'type': 'Combat / Noncombat', 'mpCost': 6}, {'id': '3010', 'name': 'Leash of Linguini', 'type': 'Noncombat', 'mpCost': 12}, {'id': '3011', 'name': 'Spirit of Rigatoni', 'type': 'Passive'}, {'id': '3012', 'name': 'Cannelloni Cocoon', 'type': 'Noncombat', 'mpCost': 20}, {'id': '3014', 'name': 'Spirit of Ravioli', 'type': 'Passive'}, {'id': '3015', 'name': 'Springy Fusilli', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3016', 'name': 'Tolerance of the Kitchen', 'type': 'Passive'}, {'id': '3017', 'name': 'Flavour of Magic', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3018', 'name': 'Transcendental Noodlecraft', 'type': 'Passive'}, {'id': '3019', 'name': 'Fearful Fettucini', 'type': 'Combat', 'mpCost': 35}, {'id': '3020', 'name': 'Spaghetti Spear', 'type': 'Combat', 'mpCost': 1}, {'id': '3101', 'name': 'Spirit of Cayenne', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3102', 'name': 'Spirit of Peppermint', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3103', 'name': 'Spirit of Garlic', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3104', 'name': 'Spirit of Wormwood', 'type': 'Noncombat', 'mpCost': 10}, {'id': '3105', 'name': 'Spirit of Bacon Grease', 'type': 'Noncombat', 'mpCost': 10}, {'id': '4000', 'name': 'Sauce Contemplation', 'type': 'Noncombat', 'mpCost': 1}, {'id': '4003', 'name': 'Stream of Sauce', 'type': 'Combat', 'mpCost': 3}, {'id': '4004', 'name': 'Expert Panhandling', 'type': 'Passive'}, {'id': '4005', 'name': 'Saucestorm', 'type': 'Combat', 'mpCost': 12}, {'id': '4006', 'name': 'Advanced Saucecrafting', 'type': 'Noncombat', 'mpCost': 10}, {'id': '4007', 'name': 'Elemental Saucesphere', 'type': 'Buff', 'mpCost': 10}, {'id': '4008', 'name': 'Jalapeno Saucesphere', 'type': 'Buff', 'mpCost': 5}, {'id': '4009', 'name': 'Wave of Sauce', 'type': 'Combat', 'mpCost': 23}, {'id': '4010', 'name': 'Intrinsic Spiciness', 'type': 'Passive'}, {'id': '4011', 'name': 'Jabanero Saucesphere', 'type': 'Buff', 'mpCost': 10}, {'id': '4012', 'name': 'Saucegeyser', 'type': 'Combat', 'mpCost': 40}, {'id': '4014', 'name': 'Saucy Salve', 'type': 'Combat', 'mpCost': 4}, {'id': '4015', 'name': 'Impetuous Sauciness', 'type': 'Passive'}, {'id': '4016', 'name': 'Diminished Gag Reflex', 'type': 'Passive'}, {'id': '4017', 'name': 'Immaculate Seasoning', 'type': 'Passive'}, {'id': '4018', 'name': 'The Way of Sauce', 'type': 'Passive'}, {'id': '4019', 'name': 'Scarysauce', 'type': 'Buff', 'mpCost': 10}, {'id': '4020', 'name': 'Salsaball', 'type': 'Combat', 'mpCost': 1}, {'id': '5000', 'name': 'Disco Aerobics', 'type': 'Noncombat', 'mpCost': 1}, {'id': '5003', 'name': 'Disco Eye-Poke', 'type': 'Combat', 'mpCost': 3}, {'id': '5004', 'name': 'Nimble Fingers', 'type': 'Passive'}, {'id': '5005', 'name': 'Disco Dance of Doom', 'type': 'Combat', 'mpCost': 5}, {'id': '5006', 'name': 'Mad Looting Skillz', 'type': 'Passive'}, {'id': '5007', 'name': 'Disco Nap', 'type': 'Noncombat', 'mpCost': 8}, {'id': '5008', 'name': 'Disco Dance II: Electric Boogaloo', 'type': 'Combat', 'mpCost': 7}, {'id': '5009', 'name': 'Disco Fever', 'type': 'Passive'}, {'id': '5010', 'name': 'Overdeveloped Sense of Self Preservation', 'type': 'Passive'}, {'id': '5011', 'name': 'Disco Power Nap', 'type': 'Noncombat', 'mpCost': 12}, {'id': '5012', 'name': 'Disco Face Stab', 'type': 'Combat', 'mpCost': 10}, {'id': '5014', 'name': 'Advanced Cocktailcrafting', 'type': 'Noncombat', 'mpCost': 10}, {'id': '5015', 'name': 'Ambidextrous Funkslinging', 'type': 'Passive'}, {'id': '5016', 'name': 'Heart of Polyester', 'type': 'Passive'}, {'id': '5017', 'name': 'Smooth Movement', 'type': 'Noncombat', 'mpCost': 10}, {'id': '5018', 'name': 'Superhuman Cocktailcrafting', 'type': 'Passive'}, {'id': '5019', 'name': 'Tango of Terror', 'type': 'Combat', 'mpCost': 8}, {'id': '6000', 'name': 'Moxie of the Mariachi', 'type': 'Noncombat', 'mpCost': 1}, {'id': '6003', 'name': "Aloysius' Antiphon of Aptitude", 'type': 'Buff', 'mpCost': 40}, {'id': '6004', 'name': 'The Moxious Madrigal', 'type': 'Buff', 'mpCost': 2}, {'id': '6005', 'name': "Cletus's Canticle of Celerity", 'type': 'Buff', 'mpCost': 4}, {'id': '6006', 'name': 'The Polka of Plenty', 'type': 'Buff', 'mpCost': 7}, {'id': '6007', 'name': 'The Magical Mojomuscular Melody', 'type': 'Buff', 'mpCost': 3}, {'id': '6008', 'name': 'The Power Ballad of the Arrowsmith', 'type': 'Buff', 'mpCost': 5}, {'id': '6009', 'name': "Brawnee's Anthem of Absorption", 'type': 'Buff', 'mpCost': 13}, {'id': '6010', 'name': "Fat Leon's Phat Loot Lyric", 'type': 'Buff', 'mpCost': 11}, {'id': '6011', 'name': 'The Psalm of Pointiness', 'type': 'Buff', 'mpCost': 15}, {'id': '6012', 'name': "Jackasses' Symphony of Destruction", 'type': 'Buff', 'mpCost': 9}, {'id': '6013', 'name': "Stevedave's Shanty of Superiority", 'type': 'Buff', 'mpCost': 30}, {'id': '6014', 'name': 'The Ode to Booze', 'type': 'Buff', 'mpCost': 50}, {'id': '6015', 'name': 'The Sonata of Sneakiness', 'type': 'Buff', 'mpCost': 20}, {'id': '6016', 'name': "Carlweather's Cantata of Confrontation", 'type': 'Buff', 'mpCost': 20}, {'id': '6017', 'name': "Ur-Kel's Aria of Annoyance", 'type': 'Buff', 'mpCost': 30}, {'id': '6018', 'name': 'Dirge of Dreadfulness', 'type': 'Buff', 'mpCost': 9}, {'id': '6020', 'name': 'The Ballad of Richie Thingfinder', 'type': 'Buff', 'mpCost': 50}, {'id': '6021', 'name': "Benetton's Medley of Diversity", 'type': 'Buff', 'mpCost': 50}, {'id': '6022', 'name': "Elron's Explosive Etude", 'type': 'Buff', 'mpCost': 50}, {'id': '6023', 'name': 'Chorale of Companionship', 'type': 'Buff', 'mpCost': 50}, {'id': '6024', 'name': 'Prelude of Precision', 'type': 'Buff', 'mpCost': 50}, {'id': '7001', 'name': 'Give In To Your Vampiric Urges', 'type': 'Combat', 'mpCost': 0}, {'id': '7002', 'name': 'Shake Hands', 'type': 'Combat', 'mpCost': 0}, {'id': '7003', 'name': 'Hot Breath', 'type': 'Combat', 'mpCost': 5}, {'id': '7004', 'name': 'Cold Breath', 'type': 'Combat', 'mpCost': 5}, {'id': '7005', 'name': 'Spooky Breath', 'type': 'Combat', 'mpCost': 5}, {'id': '7006', 'name': 'Stinky Breath', 'type': 'Combat', 'mpCost': 5}, {'id': '7007', 'name': 'Sleazy Breath', 'type': 'Combat', 'mpCost': 5}, {'id': '7008', 'name': 'Moxious Maneuver', 'type': 'Combat'}, {'id': '7009', 'name': 'Magic Missile', 'type': 'Combat', 'mpCost': 2}, {'id': '7010', 'name': 'Fire Red Bottle-Rocket', 'type': 'Combat', 'mpCost': 5}, {'id': '7011', 'name': 'Fire Blue Bottle-Rocket', 'type': 'Combat', 'mpCost': 5}, {'id': '7012', 'name': 'Fire Orange Bottle-Rocket', 'type': 'Combat', 'mpCost': 5}, {'id': '7013', 'name': 'Fire Purple Bottle-Rocket', 'type': 'Combat', 'mpCost': 5}, {'id': '7014', 'name': 'Fire Black Bottle-Rocket', 'type': 'Combat', 'mpCost': 5}, {'id': '7015', 'name': 'Creepy Grin', 'type': 'Combat', 'mpCost': 30}, {'id': '7016', 'name': 'Start Trash Fire', 'type': 'Combat', 'mpCost': 100}, {'id': '7017', 'name': 'Overload Discarded Refrigerator', 'type': 'Combat', 'mpCost': 100}, {'id': '7018', 'name': 'Trashquake', 'type': 'Combat', 'mpCost': 100}, {'id': '7019', 'name': "Zombo's Visage", 'type': 'Combat', 'mpCost': 100}, {'id': '7020', 'name': 'Hypnotize Hobo', 'type': 'Combat', 'mpCost': 100}, {'id': '7021', 'name': 'Ask Richard for a Bandage', 'type': 'Combat'}, {'id': '7022', 'name': 'Ask Richard for a Grenade', 'type': 'Combat'}, {'id': '7023', 'name': 'Ask Richard to Rough the Hobo Up a Bit', 'type': 'Combat'}, {'id': '7024', 'name': 'Summon Mayfly Swarm', 'type': 'Combat', 'mpCost': 0}, {'id': '7025', 'name': 'Get a You-Eye View', 'type': 'Combat', 'mpCost': 30}, {'id': '7038', 'name': 'Vicious Talon Slash', 'type': 'Combat', 'mpCost': 5}, {'id': '7039', 'name': 'All-You-Can-Beat Wing Buffet', 'type': 'Combat', 'mpCost': 10}, {'id': '7040', 'name': 'Tunnel Upwards', 'type': 'Combat', 'mpCost': 0}, {'id': '7041', 'name': 'Tunnel Downwards', 'type': 'Combat', 'mpCost': 0}, {'id': '7042', 'name': 'Rise From Your Ashes', 'type': 'Combat', 'mpCost': 20}, {'id': '7043', 'name': 'Antarctic Flap', 'type': 'Combat', 'mpCost': 10}, {'id': '7044', 'name': 'The Statue Treatment', 'type': 'Combat', 'mpCost': 20}, {'id': '7045', 'name': 'Feast on Carrion', 'type': 'Combat', 'mpCost': 20}, {'id': '7046', 'name': 'Give Your Opponent "The Bird"', 'type': 'Combat', 'mpCost': 20}, {'id': '7047', 'name': 'Ask the hobo for a drink', 'type': 'Combat', 'mpCost': 0}, {'id': '7048', 'name': 'Ask the hobo for something to eat', 'type': 'Combat', 'mpCost': 0}, {'id': '7049', 'name': 'Ask the hobo for some violence', 'type': 'Combat', 'mpCost': 0}, {'id': '7050', 'name': 'Ask the hobo to tell you a joke', 'type': 'Combat', 'mpCost': 0}, {'id': '7051', 'name': 'Ask the hobo to dance for you', 'type': 'Combat', 'mpCost': 0}, {'id': '7052', 'name': 'Summon hobo underling', 'type': 'Combat', 'mpCost': 0}, {'id': '7053', 'name': 'Rouse Sapling', 'type': 'Combat', 'mpCost': 15}, {'id': '7054', 'name': 'Spray Sap', 'type': 'Combat', 'mpCost': 15}, {'id': '7055', 'name': 'Put Down Roots', 'type': 'Combat', 'mpCost': 15}, {'id': '7056', 'name': 'Fire off a Roman Candle', 'type': 'Combat', 'mpCost': 10}, {'id': '7061', 'name': 'Spring Raindrop Attack', 'type': 'Combat', 'mpCost': 0}, {'id': '7062', 'name': 'Summer Siesta', 'type': 'Combat', 'mpCost': 10}, {'id': '7063', 'name': 'Falling Leaf Whirlwind', 'type': 'Combat', 'mpCost': 10}, {'id': '7064', 'name': "Winter's Bite Technique", 'type': 'Combat', 'mpCost': 10}, {'id': '7065', 'name': 'The 17 Cuts', 'type': 'Combat', 'mpCost': 10}, {'id': '8000', 'name': 'Summon Snowcones', 'type': 'Mystical Bookshelf', 'mpCost': 5}, {'id': '8100', 'name': 'Summon Candy Heart', 'type': 'Mystical Bookshelf'}, {'id': '8101', 'name': 'Summon Party Favor', 'type': 'Mystical Bookshelf'}, {'id': '8200', 'name': 'Summon Hilarious Objects', 'type': 'Mystical Bookshelf', 'mpCost': 5}, {'id': '8201', 'name': 'Summon "Tasteful" Gifts', 'type': 'Mystical Bookshelf', 'mpCost': 5}]
for cat1 in range(1, 21): for cat2 in range(1, 21): hypo = (cat1 ** 2 + cat2 ** 2) ** 0.5 if hypo.is_integer(): print(cat1, cat2, hypo)
for cat1 in range(1, 21): for cat2 in range(1, 21): hypo = (cat1 ** 2 + cat2 ** 2) ** 0.5 if hypo.is_integer(): print(cat1, cat2, hypo)
# # Copyright 2018-2019 IBM Corp. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # # Flask settings DEBUG = False # Flask-restplus settings RESTPLUS_MASK_SWAGGER = False # Application settings # API metadata API_TITLE = 'MAX Weather Forecaster' API_DESC = 'An API for serving models' API_VERSION = '1.1.0' # Default model MODEL_NAME = 'lstm_weather_forecaster' DEFAULT_MODEL_PATH = 'assets/models' MODEL_LICENSE = 'Apache 2' MODELS = ['univariate', 'multistep', 'multivariate'] DEFAULT_MODEL = MODELS[0] MODEL_META_DATA = { 'id': '{}'.format(MODEL_NAME.lower()), 'name': 'LSTM Weather Forecaster', 'description': 'LSTM Weather Forecaster Model trained using TensorFlow and Keras on JFK weather time-series data', 'type': 'Time Series Prediction', 'license': '{}'.format(MODEL_LICENSE), 'source': 'https://developer.ibm.com/exchanges/models/all/max-weather-forecaster/' }
debug = False restplus_mask_swagger = False api_title = 'MAX Weather Forecaster' api_desc = 'An API for serving models' api_version = '1.1.0' model_name = 'lstm_weather_forecaster' default_model_path = 'assets/models' model_license = 'Apache 2' models = ['univariate', 'multistep', 'multivariate'] default_model = MODELS[0] model_meta_data = {'id': '{}'.format(MODEL_NAME.lower()), 'name': 'LSTM Weather Forecaster', 'description': 'LSTM Weather Forecaster Model trained using TensorFlow and Keras on JFK weather time-series data', 'type': 'Time Series Prediction', 'license': '{}'.format(MODEL_LICENSE), 'source': 'https://developer.ibm.com/exchanges/models/all/max-weather-forecaster/'}
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def hasCycle(self, head: ListNode) -> bool: h = set() while head and head not in h: h.add(head) head = head.next return head
class Solution: def has_cycle(self, head: ListNode) -> bool: h = set() while head and head not in h: h.add(head) head = head.next return head
# AUTOGENERATED BY NBDEV! DO NOT EDIT! __all__ = ["index", "modules", "custom_doc_links", "git_url"] index = {"main": "00_beproductive.ipynb", "parse_arguments": "00_beproductive.ipynb", "in_notebook": "00_beproductive.ipynb", "APP_NAME": "01_blocker.ipynb", "REDIRECT": "01_blocker.ipynb", "WIN_PATH": "01_blocker.ipynb", "LINUX_PATH": "01_blocker.ipynb", "NOTIFY_DURATION": "01_blocker.ipynb", "ICON_PATH": "01_blocker.ipynb", "host_fp": "01_blocker.ipynb", "host_fp_copy": "01_blocker.ipynb", "host_fp_blocked": "01_blocker.ipynb", "Blocker": "01_blocker.ipynb", "WORK_TIME": "02_pomodoro.ipynb", "BREAK_TIME": "02_pomodoro.ipynb", "POMODOROS": "02_pomodoro.ipynb", "pomodoro": "02_pomodoro.ipynb", "DEFAULT_URLS": "03_config.ipynb", "save_config": "03_config.ipynb", "load_config": "03_config.ipynb", "add_urls": "03_config.ipynb", "remove_urls": "03_config.ipynb", "show_blocklist": "03_config.ipynb"} modules = ["__main__.py", "blocker.py", "pomodoro.py", "config.py"] doc_url = "https://johannesstutz.github.io/beproductive/" git_url = "https://github.com/johannesstutz/beproductive/tree/master/" def custom_doc_links(name): return None
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url'] index = {'main': '00_beproductive.ipynb', 'parse_arguments': '00_beproductive.ipynb', 'in_notebook': '00_beproductive.ipynb', 'APP_NAME': '01_blocker.ipynb', 'REDIRECT': '01_blocker.ipynb', 'WIN_PATH': '01_blocker.ipynb', 'LINUX_PATH': '01_blocker.ipynb', 'NOTIFY_DURATION': '01_blocker.ipynb', 'ICON_PATH': '01_blocker.ipynb', 'host_fp': '01_blocker.ipynb', 'host_fp_copy': '01_blocker.ipynb', 'host_fp_blocked': '01_blocker.ipynb', 'Blocker': '01_blocker.ipynb', 'WORK_TIME': '02_pomodoro.ipynb', 'BREAK_TIME': '02_pomodoro.ipynb', 'POMODOROS': '02_pomodoro.ipynb', 'pomodoro': '02_pomodoro.ipynb', 'DEFAULT_URLS': '03_config.ipynb', 'save_config': '03_config.ipynb', 'load_config': '03_config.ipynb', 'add_urls': '03_config.ipynb', 'remove_urls': '03_config.ipynb', 'show_blocklist': '03_config.ipynb'} modules = ['__main__.py', 'blocker.py', 'pomodoro.py', 'config.py'] doc_url = 'https://johannesstutz.github.io/beproductive/' git_url = 'https://github.com/johannesstutz/beproductive/tree/master/' def custom_doc_links(name): return None
def sumar(a, b): return a + b def restar(a, b): return a - b def multiplicador(a, b): return a * b def dividir(numerador, denominador): return float(numerador)/denominador
def sumar(a, b): return a + b def restar(a, b): return a - b def multiplicador(a, b): return a * b def dividir(numerador, denominador): return float(numerador) / denominador
class MockOpenedFile(object): def __init__(self, value='value'): self.seek_values = [] self.buf_values = [] self.value = value def seek(self, offset): self.seek_values.append(offset) def read(self, buf): self.buf_values.append(buf) return self.value def clean(self): self.seek_values = [] self.buf_values = []
class Mockopenedfile(object): def __init__(self, value='value'): self.seek_values = [] self.buf_values = [] self.value = value def seek(self, offset): self.seek_values.append(offset) def read(self, buf): self.buf_values.append(buf) return self.value def clean(self): self.seek_values = [] self.buf_values = []
# CountFirstCharaters # -------------------------------------- # It counts how many times a character appears at the beginning of a line def CountFirstCharacters (Line, Character): n = 0 for letter in Line: if letter == Character: n = n + 1 else: return n # Remove all the Character characters from the line def RemoveFirstCharacters (Line, Character): n = CountFirstcharacters (Line, Character) return Line[n:]
def count_first_characters(Line, Character): n = 0 for letter in Line: if letter == Character: n = n + 1 else: return n def remove_first_characters(Line, Character): n = count_firstcharacters(Line, Character) return Line[n:]
print ("hola mundo/jhon") a=45 b=5 print("Suma:",a+b) print("Resta:",a-b) print("Division:",a/b) print("Multiplicacion:",a*b)
print('hola mundo/jhon') a = 45 b = 5 print('Suma:', a + b) print('Resta:', a - b) print('Division:', a / b) print('Multiplicacion:', a * b)
class Interfaces: def __init__(self, interface: dict): self.screen = interface['screen'] self.account_linking = interface['account_linking'] class MetaData: def __init__(self, meta: dict): self.locale = meta['locale'] self.timezone = meta['timezone'] self.interfaces = Interfaces(interface=meta['interfaces']) class User: def __init__(self, user: dict): self.user_id = user['user_id'] self.access_token = user.get('access_token') class Application: def __init__(self, application: dict): self.application_id = application['application_id'] class SessionData: def __init__(self, session: dict): self.session_id = session['session_id'] self.message_id = session['message_id'] self.skill_id = session['skill_id'] self.user = User(user=session['user']) self.application = Application(application=session['application']) self.new = session['new'] class Markup: def __init__(self, markup: dict): self.dangerous_context = markup['dangerous_context'] class Entity: def __init__(self, entity: dict): self.start = entity['tokens']['start'] self.end = entity['tokens']['end'] self.type = entity['type'] self.value = entity['value'] class Entities: def __init__(self, entities: list): self.datetime = None self.fio = None self.geo = None self.number = None for entity in entities: if entity['type'] == 'YANDEX.DATETIME': self.datetime = Entity(entity=entity) elif entity['type'] == 'YANDEX.FIO': self.fio = Entity(entity=entity) elif entity['type'] == 'YANDEX.GEO': self.geo = Entity(entity=entity) elif entity['type'] == 'YANDEX.NUMBER': self.number = Entity(entity=entity) class NLU: def __init__(self, nlu: dict): self.tokens = nlu['tokens'] self.entities = Entities(entities=nlu['entities']) class RequestData: def __init__(self, request_json: dict): self.command = request_json['command'] self.original_utterance = request_json['original_utterance'] self.type = request_json['type'] self.markup = Markup(markup=request_json['markup']) self.payload = request_json.get('payload') self.nlu = NLU(nlu=request_json['nlu']) class StateValue: def __init__(self, session: dict): self.value = session.get('value') if session.get('value') is not None else None class State: def __init__(self, state: dict): self.session = StateValue(session=state.get('session')) self.user = StateValue(session=state.get('user')) class Message: def __init__(self, json: dict): self.meta = MetaData(json['meta']) self.session = SessionData(json['session']) self.version = json['version'] self.request = RequestData(request_json=json['request']) self.state = State(state=json.get('state')) self.original_request = json
class Interfaces: def __init__(self, interface: dict): self.screen = interface['screen'] self.account_linking = interface['account_linking'] class Metadata: def __init__(self, meta: dict): self.locale = meta['locale'] self.timezone = meta['timezone'] self.interfaces = interfaces(interface=meta['interfaces']) class User: def __init__(self, user: dict): self.user_id = user['user_id'] self.access_token = user.get('access_token') class Application: def __init__(self, application: dict): self.application_id = application['application_id'] class Sessiondata: def __init__(self, session: dict): self.session_id = session['session_id'] self.message_id = session['message_id'] self.skill_id = session['skill_id'] self.user = user(user=session['user']) self.application = application(application=session['application']) self.new = session['new'] class Markup: def __init__(self, markup: dict): self.dangerous_context = markup['dangerous_context'] class Entity: def __init__(self, entity: dict): self.start = entity['tokens']['start'] self.end = entity['tokens']['end'] self.type = entity['type'] self.value = entity['value'] class Entities: def __init__(self, entities: list): self.datetime = None self.fio = None self.geo = None self.number = None for entity in entities: if entity['type'] == 'YANDEX.DATETIME': self.datetime = entity(entity=entity) elif entity['type'] == 'YANDEX.FIO': self.fio = entity(entity=entity) elif entity['type'] == 'YANDEX.GEO': self.geo = entity(entity=entity) elif entity['type'] == 'YANDEX.NUMBER': self.number = entity(entity=entity) class Nlu: def __init__(self, nlu: dict): self.tokens = nlu['tokens'] self.entities = entities(entities=nlu['entities']) class Requestdata: def __init__(self, request_json: dict): self.command = request_json['command'] self.original_utterance = request_json['original_utterance'] self.type = request_json['type'] self.markup = markup(markup=request_json['markup']) self.payload = request_json.get('payload') self.nlu = nlu(nlu=request_json['nlu']) class Statevalue: def __init__(self, session: dict): self.value = session.get('value') if session.get('value') is not None else None class State: def __init__(self, state: dict): self.session = state_value(session=state.get('session')) self.user = state_value(session=state.get('user')) class Message: def __init__(self, json: dict): self.meta = meta_data(json['meta']) self.session = session_data(json['session']) self.version = json['version'] self.request = request_data(request_json=json['request']) self.state = state(state=json.get('state')) self.original_request = json
#!/usr/bin/env python3 # https://codeforces.com/problemset/problem/4/A n = int(input()) print('YES' if (n>2 and n%2==0) else 'NO')
n = int(input()) print('YES' if n > 2 and n % 2 == 0 else 'NO')
class Submissions: def __init__(self, client): self.client = client def list(self, groupId, assignmentId): url = self.client.api_url + '/groups/' + groupId + '/assignments/' + assignmentId + '/submissions' method = 'get' return self.client.api_handler(url=url, method=method) def get(self, submissionId): url = self.client.api_url + '/submissions/' + submissionId method = 'get' return self.client.api_handler(url=url, method=method)
class Submissions: def __init__(self, client): self.client = client def list(self, groupId, assignmentId): url = self.client.api_url + '/groups/' + groupId + '/assignments/' + assignmentId + '/submissions' method = 'get' return self.client.api_handler(url=url, method=method) def get(self, submissionId): url = self.client.api_url + '/submissions/' + submissionId method = 'get' return self.client.api_handler(url=url, method=method)
class NQ: def __init__(self, size): self.n = size self.board = self.generateBoard() def solve(self): if self.__util(0) == False: print("Solution does not exist") self.printBoard() def __util(self, col): if col >= self.n: return False for row in range(self.n): if self.__isSafe(row, col): self.board[row][col] = 1 if self.__util(col + 1) == True: return True self.board[row][col] = 0 def __isSafe(self, row, col): for i in range(col): if self.board[row][i] == 1: return False for i, j in zip(range(row, -1, -1), range(col, -1, -1)): if self.board[i][j] == 1: return False return True def generateBoard(self): temp_board = [] for i in range(self.n): temp = [] for j in range(self.n): temp.append(0) temp_board.append(temp) return temp_board def printBoard(self): for i in range(self.n): for j in range(self.n): print(self.board[i][j], end=" ") print() def main(): Nqueen = NQ(4) Nqueen.solve() Nqueen.printBoard() if __name__ == "__main__": main()
class Nq: def __init__(self, size): self.n = size self.board = self.generateBoard() def solve(self): if self.__util(0) == False: print('Solution does not exist') self.printBoard() def __util(self, col): if col >= self.n: return False for row in range(self.n): if self.__isSafe(row, col): self.board[row][col] = 1 if self.__util(col + 1) == True: return True self.board[row][col] = 0 def __is_safe(self, row, col): for i in range(col): if self.board[row][i] == 1: return False for (i, j) in zip(range(row, -1, -1), range(col, -1, -1)): if self.board[i][j] == 1: return False return True def generate_board(self): temp_board = [] for i in range(self.n): temp = [] for j in range(self.n): temp.append(0) temp_board.append(temp) return temp_board def print_board(self): for i in range(self.n): for j in range(self.n): print(self.board[i][j], end=' ') print() def main(): nqueen = nq(4) Nqueen.solve() Nqueen.printBoard() if __name__ == '__main__': main()
# %% [139. Word Break](https://leetcode.com/problems/word-break/) class Solution: def wordBreak(self, s: str, wordDict: List[str]) -> bool: @functools.lru_cache(None) def check(s): if not s: return True for word in wordDict: if s.startswith(word) and check(s[len(word) :]): return True return False return check(s)
class Solution: def word_break(self, s: str, wordDict: List[str]) -> bool: @functools.lru_cache(None) def check(s): if not s: return True for word in wordDict: if s.startswith(word) and check(s[len(word):]): return True return False return check(s)
def wrapper(f): def fun(l): decorated_numbers = [] for number in l: decorated_numbers.append("+91 " + number[-10:-5] + " " + number[-5:]) return f(decorated_numbers) return fun @wrapper def sort_phone(l): print(*sorted(l), sep='\n') if __name__ == '__main__': l = [input() for _ in range(int(input()))] sort_phone(l)
def wrapper(f): def fun(l): decorated_numbers = [] for number in l: decorated_numbers.append('+91 ' + number[-10:-5] + ' ' + number[-5:]) return f(decorated_numbers) return fun @wrapper def sort_phone(l): print(*sorted(l), sep='\n') if __name__ == '__main__': l = [input() for _ in range(int(input()))] sort_phone(l)
def reverse_text(string): return (x for x in string[::-1]) # for x in string[::-1]: # yield x # idx = len(string) - 1 # while idx >= 0: # yield string[idx] # idx -= 1 for char in reverse_text("step"): print(char, end='')
def reverse_text(string): return (x for x in string[::-1]) for char in reverse_text('step'): print(char, end='')
class Ticket: def __init__(self, payload, yt_api, gh_api, users_dict): self.payload = payload self.action = payload["action"] self.yt_api = yt_api self.gh_api = gh_api self.users_dict = users_dict self.pr = payload["pull_request"] self.url = self.pr["html_url"] self.branch_name = self.pr["head"]["ref"] self.issue_id = yt_api.get_issue_id(self.branch_name) def exists(self): if self.issue_id is None: print("No YouTrack issue associated with branch {}".format( self.branch_name)) return False return True def update(self): if self.action == "review_requested": reviewer = self.pr["requested_reviewers"][0]["login"] return self.__submit(reviewer) if self.action == "closed": return self.__close() if self.action == "submitted": review = self.payload["review"] author = self.pr["user"]["login"] if review["state"] == "approved": url = self.pr["url"] + "/reviews" reviewer = self.payload["review"]["user"]["login"] payload = self.gh_api.get(url) remaining_reviews = \ [p for p in payload if p["state"] != "APPROVED" and not has_approved(payload, p["user"]["login"]) and p["user"]["login"] != reviewer and p["user"]["login"] != author] if len(remaining_reviews) > 0: next_reviewer = remaining_reviews[0]["user"]["login"] return self.__submit(next_reviewer) return '', 200 author = self.pr["user"]["login"] if author == review["user"]["login"]: # ignore author reviewing their own code return '', 200 return self.__reopen(author, review) return '', 200 def __reopen(self, author, review): assignee = self.users_dict[author] review_url = review["html_url"] print("Reopening ticket {} and assigning user {}".format(self.issue_id, assignee)) commands = [self.yt_api.set_state("Reopened"), self.yt_api.assign(assignee)] print(review_url, self.issue_id, commands) success, response = self.yt_api.update_ticket(self.issue_id, commands=commands, comment=review_url) if not success: return response.text, response.status_code return '', 200 def __close(self): if self.pr["merged"] is False: return '', 200 print(("Closing ticket {} and unassigning".format(self.issue_id))) commands = [self.yt_api.set_state("Ready to deploy"), self.yt_api.assign("Unassigned")] success, response = self.yt_api.update_ticket(self.issue_id, commands=commands) if not success: return response.text, response.status_code return '', 200 def __submit(self, reviewer): assignee = self.users_dict[reviewer] print( "Submitting ticket {} and assigning user {}".format(self.issue_id, assignee)) commands = [self.yt_api.set_state("Submitted"), self.yt_api.assign(assignee)] success, response = self.yt_api.update_ticket(self.issue_id, commands=commands, comment=self.url) if not success: return response.text, response.status_code return '', 200 def has_approved(payload, username): return len([p for p in payload if p["state"] == "APPROVED" and p["user"]["login"] == username]) > 0
class Ticket: def __init__(self, payload, yt_api, gh_api, users_dict): self.payload = payload self.action = payload['action'] self.yt_api = yt_api self.gh_api = gh_api self.users_dict = users_dict self.pr = payload['pull_request'] self.url = self.pr['html_url'] self.branch_name = self.pr['head']['ref'] self.issue_id = yt_api.get_issue_id(self.branch_name) def exists(self): if self.issue_id is None: print('No YouTrack issue associated with branch {}'.format(self.branch_name)) return False return True def update(self): if self.action == 'review_requested': reviewer = self.pr['requested_reviewers'][0]['login'] return self.__submit(reviewer) if self.action == 'closed': return self.__close() if self.action == 'submitted': review = self.payload['review'] author = self.pr['user']['login'] if review['state'] == 'approved': url = self.pr['url'] + '/reviews' reviewer = self.payload['review']['user']['login'] payload = self.gh_api.get(url) remaining_reviews = [p for p in payload if p['state'] != 'APPROVED' and (not has_approved(payload, p['user']['login'])) and (p['user']['login'] != reviewer) and (p['user']['login'] != author)] if len(remaining_reviews) > 0: next_reviewer = remaining_reviews[0]['user']['login'] return self.__submit(next_reviewer) return ('', 200) author = self.pr['user']['login'] if author == review['user']['login']: return ('', 200) return self.__reopen(author, review) return ('', 200) def __reopen(self, author, review): assignee = self.users_dict[author] review_url = review['html_url'] print('Reopening ticket {} and assigning user {}'.format(self.issue_id, assignee)) commands = [self.yt_api.set_state('Reopened'), self.yt_api.assign(assignee)] print(review_url, self.issue_id, commands) (success, response) = self.yt_api.update_ticket(self.issue_id, commands=commands, comment=review_url) if not success: return (response.text, response.status_code) return ('', 200) def __close(self): if self.pr['merged'] is False: return ('', 200) print('Closing ticket {} and unassigning'.format(self.issue_id)) commands = [self.yt_api.set_state('Ready to deploy'), self.yt_api.assign('Unassigned')] (success, response) = self.yt_api.update_ticket(self.issue_id, commands=commands) if not success: return (response.text, response.status_code) return ('', 200) def __submit(self, reviewer): assignee = self.users_dict[reviewer] print('Submitting ticket {} and assigning user {}'.format(self.issue_id, assignee)) commands = [self.yt_api.set_state('Submitted'), self.yt_api.assign(assignee)] (success, response) = self.yt_api.update_ticket(self.issue_id, commands=commands, comment=self.url) if not success: return (response.text, response.status_code) return ('', 200) def has_approved(payload, username): return len([p for p in payload if p['state'] == 'APPROVED' and p['user']['login'] == username]) > 0
dna_seq1 = 'ACCTGATC' gc_count = 0 for nucl in dna_seq1: if nucl == 'G' or nucl == 'C': gc_count += 1 print(gc_count / len(dna_seq1))
dna_seq1 = 'ACCTGATC' gc_count = 0 for nucl in dna_seq1: if nucl == 'G' or nucl == 'C': gc_count += 1 print(gc_count / len(dna_seq1))
class BaseLoadTester(object): def __init__(self, config): self.config = config def before(self): raise NotImplementedError() def on_result(self): raise NotImplementedError()
class Baseloadtester(object): def __init__(self, config): self.config = config def before(self): raise not_implemented_error() def on_result(self): raise not_implemented_error()
description = 'POLI monochromator devices' group = 'lowlevel' tango_base = 'tango://phys.poli.frm2:10000/poli/' s7_motor = tango_base + 's7_motor/' devices = dict( chi_m = device('nicos.devices.tango.Motor', description = 'monochromator tilt (chi axis)', tangodevice = s7_motor + 'chi_m', fmtstr = '%.2f', abslimits = (0, 12.7), precision = 0.01, ), theta_m = device('nicos.devices.tango.Motor', description = 'monochromator rotation (theta axis)', tangodevice = s7_motor + 'theta_m', fmtstr = '%.2f', abslimits = (0, 1300), precision = 0.1, ), x_m = device('nicos.devices.tango.Motor', description = 'monochromator translation (x axis)', tangodevice = s7_motor + 'x_m', fmtstr = '%.2f', abslimits = (0, 100), precision = 0.01, ), changer_m = device('nicos.devices.tango.Motor', description = 'monochromator changer axis', tangodevice = s7_motor + 'change_m', fmtstr = '%.2f', abslimits = (0, 4000), precision = 0.1, ), wavelength = device('nicos.devices.tas.Monochromator', description = 'monochromator wavelength', unit = 'A', dvalue = 3.355, theta = 'vmth', twotheta = 'vmtt', focush = None, focusv = None, abslimits = (0.1, 3.0), warnlimits = (0.1, 3.0), crystalside = 1, ), vmth = device('nicos.devices.generic.VirtualMotor', unit = 'deg', abslimits = (-90, 90), precision = 0.05, speed = 0, lowlevel = True, ), vmtt = device('nicos.devices.generic.VirtualMotor', unit = 'deg', abslimits = (-180, 180), precision = 0.05, speed = 0, lowlevel = True, ), #h_m = device('nicos.devices.generic.DeviceAlias', # ), #v_m = device('nicos.devices.generic.DeviceAlias', # ), #h_m_alias = device('nicos.devices.generic.ParamDevice', # lowlevel = True, # device = 'h_m', # parameter = 'alias', # ), #v_m_alias = device('nicos.devices.generic.ParamDevice', # lowlevel = True, # device = 'v_m', # parameter = 'alias', # ), #mono = device('nicos_mlz.poli.devices.mono.MultiSwitcher', # description = 'monochromator wavelength switcher', # # note: precision of chi and theta is so large because they are expected # # to be changed slightly depending on setup # moveables = ['x_m', 'changer_m', 'chi_m', 'theta_m', 'h_m_alias', 'v_m_alias'], # precision = [0.01, 0.01, 5, 10, None, None], # mapping = { # 0.9: [38, 190, 6.3, 236, 'cuh', 'cuv'], # 1.14: [45, 3.79, 8.6, 236, 'sih', 'siv'], # }, # changepos = 0, # ), )
description = 'POLI monochromator devices' group = 'lowlevel' tango_base = 'tango://phys.poli.frm2:10000/poli/' s7_motor = tango_base + 's7_motor/' devices = dict(chi_m=device('nicos.devices.tango.Motor', description='monochromator tilt (chi axis)', tangodevice=s7_motor + 'chi_m', fmtstr='%.2f', abslimits=(0, 12.7), precision=0.01), theta_m=device('nicos.devices.tango.Motor', description='monochromator rotation (theta axis)', tangodevice=s7_motor + 'theta_m', fmtstr='%.2f', abslimits=(0, 1300), precision=0.1), x_m=device('nicos.devices.tango.Motor', description='monochromator translation (x axis)', tangodevice=s7_motor + 'x_m', fmtstr='%.2f', abslimits=(0, 100), precision=0.01), changer_m=device('nicos.devices.tango.Motor', description='monochromator changer axis', tangodevice=s7_motor + 'change_m', fmtstr='%.2f', abslimits=(0, 4000), precision=0.1), wavelength=device('nicos.devices.tas.Monochromator', description='monochromator wavelength', unit='A', dvalue=3.355, theta='vmth', twotheta='vmtt', focush=None, focusv=None, abslimits=(0.1, 3.0), warnlimits=(0.1, 3.0), crystalside=1), vmth=device('nicos.devices.generic.VirtualMotor', unit='deg', abslimits=(-90, 90), precision=0.05, speed=0, lowlevel=True), vmtt=device('nicos.devices.generic.VirtualMotor', unit='deg', abslimits=(-180, 180), precision=0.05, speed=0, lowlevel=True))
# Advent of code 2021 : Day 1 | Part 1 # Author = Abhinav # Date = 1st of December 2021 # Source = [Advent Of Code](https://adventofcode.com/2021/day/1) # Solution : inputs = open("input.txt", "rt") inputs = list(map(int, inputs.read().splitlines())) print(sum([1 for _ in range(1, len(inputs)) if inputs[_-1] < inputs[_]])) # Answer : 1266
inputs = open('input.txt', 'rt') inputs = list(map(int, inputs.read().splitlines())) print(sum([1 for _ in range(1, len(inputs)) if inputs[_ - 1] < inputs[_]]))
class Charge: def __init__(self, vehicle): self._vehicle = vehicle self._api_client = vehicle._api_client async def get_state(self): return await self._api_client.get( "vehicles/{}/data_request/charge_state".format(self._vehicle.id)) async def start_charging(self): return await self._vehicle._command("charge_start") async def stop_charging(self): return await self._vehicle._command("charge_stop") async def set_charge_limit(self, percentage): percentage = round(percentage) if not (50 <= percentage <= 100): raise ValueError("Percentage should be between 50 and 100") return await self._vehicle._command("set_charge_limit", {"percent": percentage})
class Charge: def __init__(self, vehicle): self._vehicle = vehicle self._api_client = vehicle._api_client async def get_state(self): return await self._api_client.get('vehicles/{}/data_request/charge_state'.format(self._vehicle.id)) async def start_charging(self): return await self._vehicle._command('charge_start') async def stop_charging(self): return await self._vehicle._command('charge_stop') async def set_charge_limit(self, percentage): percentage = round(percentage) if not 50 <= percentage <= 100: raise value_error('Percentage should be between 50 and 100') return await self._vehicle._command('set_charge_limit', {'percent': percentage})
test = { 'name': 'q3_1_2', 'points': 1, 'suites': [ { 'cases': [ { 'code': ">>> #It looks like you didn't give anything the name;\n" ">>> # seconds_in_a_decade. Maybe there's a typo, or maybe you ;\n" '>>> # just need to run the cell below Question 3.2 where you defined ;\n' '>>> # seconds_in_a_decade. Click that cell and then click the "run;\n' '>>> # cell" button in the menu bar above.);\n' ">>> 'seconds_in_a_decade' in vars()\n" 'True', 'hidden': False, 'locked': False}, { 'code': ">>> # It looks like you didn't change the cell to define;\n" '>>> # seconds_in_a_decade appropriately. It should be a number,;\n' ">>> # computed using Python's arithmetic. For example, this is;\n" '>>> # almost right:;\n' '>>> # seconds_in_a_decade = 10*365*24*60*60;\n' '>>> seconds_in_a_decade != ...\n' 'True', 'hidden': False, 'locked': False}, { 'code': ">>> # It looks like you didn't account for leap years.;\n" '>>> # There were 2 leap years and 8 non-leap years in this period.;\n' '>>> # Leap years have 366 days instead of 365.;\n' '>>> seconds_in_a_decade != 315360000\n' 'True', 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]}
test = {'name': 'q3_1_2', 'points': 1, 'suites': [{'cases': [{'code': '>>> #It looks like you didn\'t give anything the name;\n>>> # seconds_in_a_decade. Maybe there\'s a typo, or maybe you ;\n>>> # just need to run the cell below Question 3.2 where you defined ;\n>>> # seconds_in_a_decade. Click that cell and then click the "run;\n>>> # cell" button in the menu bar above.);\n>>> \'seconds_in_a_decade\' in vars()\nTrue', 'hidden': False, 'locked': False}, {'code': ">>> # It looks like you didn't change the cell to define;\n>>> # seconds_in_a_decade appropriately. It should be a number,;\n>>> # computed using Python's arithmetic. For example, this is;\n>>> # almost right:;\n>>> # seconds_in_a_decade = 10*365*24*60*60;\n>>> seconds_in_a_decade != ...\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> # It looks like you didn't account for leap years.;\n>>> # There were 2 leap years and 8 non-leap years in this period.;\n>>> # Leap years have 366 days instead of 365.;\n>>> seconds_in_a_decade != 315360000\nTrue", 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]}
# generated from catkin/cmake/template/pkg.context.pc.in CATKIN_PACKAGE_PREFIX = "" PROJECT_PKG_CONFIG_INCLUDE_DIRS = "/home/ros/lidar_ws/src/geometry/kdl_conversions/include;/opt/ros/kinetic/share/orocos_kdl/../../include;/usr/include/eigen3".split(';') if "/home/ros/lidar_ws/src/geometry/kdl_conversions/include;/opt/ros/kinetic/share/orocos_kdl/../../include;/usr/include/eigen3" != "" else [] PROJECT_CATKIN_DEPENDS = "geometry_msgs".replace(';', ' ') PKG_CONFIG_LIBRARIES_WITH_PREFIX = "-lkdl_conversions;/opt/ros/kinetic/lib/liborocos-kdl.so.1.3.2".split(';') if "-lkdl_conversions;/opt/ros/kinetic/lib/liborocos-kdl.so.1.3.2" != "" else [] PROJECT_NAME = "kdl_conversions" PROJECT_SPACE_DIR = "/home/ros/lidar_ws/devel" PROJECT_VERSION = "1.11.9"
catkin_package_prefix = '' project_pkg_config_include_dirs = '/home/ros/lidar_ws/src/geometry/kdl_conversions/include;/opt/ros/kinetic/share/orocos_kdl/../../include;/usr/include/eigen3'.split(';') if '/home/ros/lidar_ws/src/geometry/kdl_conversions/include;/opt/ros/kinetic/share/orocos_kdl/../../include;/usr/include/eigen3' != '' else [] project_catkin_depends = 'geometry_msgs'.replace(';', ' ') pkg_config_libraries_with_prefix = '-lkdl_conversions;/opt/ros/kinetic/lib/liborocos-kdl.so.1.3.2'.split(';') if '-lkdl_conversions;/opt/ros/kinetic/lib/liborocos-kdl.so.1.3.2' != '' else [] project_name = 'kdl_conversions' project_space_dir = '/home/ros/lidar_ws/devel' project_version = '1.11.9'
if __name__ == '__main__': n = int(input()) answer = '' for i in range(n): answer += str(i + 1) print(answer)
if __name__ == '__main__': n = int(input()) answer = '' for i in range(n): answer += str(i + 1) print(answer)
def reset_io(buff): buff.seek(0) buff.truncate(0) return buff def truncate_io(buff, size): # get the remainder value buff.seek(size) leftover = buff.read() # remove the remainder buff.seek(0) buff.truncate(size) return leftover # def diesattheend(pool): # import atexit # def close(pool): # try: # pool.shutdown(wait=True) # except OSError: # handle is closed # pass # we already closed the pool # atexit.unregister(pool.__del__) # patch(pool, '__del__', close) # atexit.register(pool.__del__) # return pool # # def patch(obj, name, func): # from functools import wraps # oldfunc = getattr(obj, name, None) or (lambda: None) # def replaced(*a, **kw): # if oldfunc: # oldfunc(*a, **kw) # func(obj, *a, **kw) # replaced.__name__ = name # setattr(obj, name, wraps(oldfunc)(replaced) if oldfunc else replaced) class FakePool: def __init__(self, max_workers=None): pass def submit(self, func, *a, **kw): return FakeFuture(func(*a, **kw)) def shutdown(self, wait=None): pass class FakeFuture: def __init__(self, result): self._result = result def result(self): return self._result def add_done_callback(self, func): return func(self)
def reset_io(buff): buff.seek(0) buff.truncate(0) return buff def truncate_io(buff, size): buff.seek(size) leftover = buff.read() buff.seek(0) buff.truncate(size) return leftover class Fakepool: def __init__(self, max_workers=None): pass def submit(self, func, *a, **kw): return fake_future(func(*a, **kw)) def shutdown(self, wait=None): pass class Fakefuture: def __init__(self, result): self._result = result def result(self): return self._result def add_done_callback(self, func): return func(self)
''' APDT: Ploting -------------------------- Provide useful data visualizaton tools. Check https://github.com/Zhiyuan-Wu/apdt for more information. '''
""" APDT: Ploting -------------------------- Provide useful data visualizaton tools. Check https://github.com/Zhiyuan-Wu/apdt for more information. """
dead_emcal = [128, 129, 131, 134, 139, 140, 182, 184, 188, 189, 385, 394, 397, 398, 399, 432, 434, 436, 440, 442, 5024, 5025, 5026, 5027, 5028, 5030, 5032, 5033, 5035, 5036, 5037, 5038, 5039, 5121, 5122, 5123, 5124, 5125, 5126, 5128, 5129, 5130, 5132, 5133, 5134, 5135, 5170, 5172, 5173, 5174, 5178, 5181, 6641, 6647, 6654, 6933, 6936, 6941, 6986, 6987, 6990, 8590, 8624, 8626, 8631, 8637, 10580, 10583, 10585, 10586, 10588, 10590, 10591, 10624, 10625, 10626, 10627, 10629, 10630, 10631, 10632, 10636, 10637, 10639, 11232, 11234, 11235, 11236, 11237, 11238, 11239, 11241, 11242, 11244, 11245, 11247, 11280, 11281, 11282, 11283, 11285, 11286, 11287, 11289, 11290, 11292, 11294, 11295] dead_dcal = [12608, 12831, 12860, 13466, 13470, 13981, 14231, 14312, 14404, 14693, 14695, 14729, 15214, 15215, 15281, 15285, 15323, 15327, 15330, 15332, 15334, 15335, 15336, 15872, 15968, 15970, 15971, 16016, 16017, 16018, 16029, 16030, 16535, 16541, 16577, 16579, 16583, 16610, 16613, 16622, 16659, 16663, 16666, 16824, 17644, 17663] bad_emcal = [3, 15, 56, 57, 58, 59, 60, 61, 62, 63, 74, 103, 130, 132, 133, 135, 136, 137, 138, 141, 142, 143, 176, 177, 178, 179, 180, 181, 183, 185, 186, 187, 190, 191, 198, 287, 288, 289, 290, 291, 292, 293, 294, 295, 297, 298, 299, 300, 301, 302, 303, 328, 336, 337, 338, 339, 340, 341, 343, 344, 345, 346, 347, 348, 349, 350, 353, 384, 386, 387, 388, 389, 390, 391, 392, 393, 395, 396, 433, 435, 437, 438, 439, 441, 443, 444, 445, 446, 447, 554, 594, 655, 720, 759, 917, 1002, 1038, 1050, 1061, 1067, 1175, 1204, 1212, 1222, 1276, 1288, 1366, 1376, 1380, 1384, 1386, 1414, 1441, 1519, 1534, 1535, 1704, 1711, 1738, 1825, 1836, 1837, 1838, 1839, 1844, 1860, 1892, 1963, 1967, 1968, 2014, 2020, 2022, 2026, 2047, 2112, 2113, 2114, 2115, 2116, 2117, 2118, 2119, 2120, 2122, 2123, 2124, 2125, 2127, 2161, 2196, 2210, 2245, 2298, 2325, 2389, 2395, 2397, 2399, 2424, 2487, 2505, 2506, 2533, 2534, 2540, 2575, 2581, 2586, 2665, 2688, 2776, 2778, 2787, 2793, 2797, 2805, 2823, 2824, 2825, 2857, 2884, 2888, 2891, 2915, 2921, 2985, 3039, 3051, 3135, 3161, 3196, 3223, 3236, 3244, 3259, 3297, 3339, 3353, 3488, 3503, 3732, 3740, 3748, 3754, 3772, 3776, 3777, 3778, 3779, 3780, 3781, 3782, 3783, 3784, 3785, 3786, 3787, 3788, 3789, 3790, 3791, 3796, 3824, 3825, 3826, 3827, 3828, 3829, 3830, 3831, 3832, 3833, 3834, 3835, 3839, 3840, 3854, 3906, 3908, 3914, 3940, 3962, 3974, 4011, 4026, 4027, 4058, 4129, 4212, 4230, 4282, 4299, 4320, 4372, 4421, 4516, 4530, 4531, 4532, 4538, 4543, 4569, 4571, 4596, 4605, 4613, 4614, 4621, 4627, 4637, 4817, 4835, 4837, 4838, 4839, 4846, 4847, 4967, 5029, 5031, 5034, 5120, 5127, 5131, 5168, 5169, 5171, 5175, 5176, 5177, 5179, 5180, 5182, 5183, 5231, 5328, 5329, 5330, 5331, 5332, 5333, 5334, 5335, 5336, 5337, 5338, 5339, 5340, 5341, 5343, 5448, 5608, 5662, 5663, 5824, 5826, 5831, 5832, 5833, 5850, 6064, 6080, 6081, 6082, 6083, 6084, 6085, 6086, 6087, 6088, 6089, 6090, 6091, 6092, 6093, 6094, 6095, 6104, 6128, 6129, 6130, 6131, 6132, 6133, 6134, 6135, 6136, 6137, 6138, 6139, 6140, 6141, 6142, 6143, 6184, 6275, 6331, 6340, 6481, 6640, 6645, 6646, 6649, 6701, 6735, 6811, 6886, 6928, 6929, 6930, 6931, 6932, 6934, 6935, 6937, 6938, 6939, 6940, 6942, 6943, 6976, 6977, 6978, 6979, 6980, 6981, 6982, 6983, 6984, 6985, 6988, 6989, 6991, 7089, 7150, 7371, 7417, 7425, 7430, 7491, 7572, 7793, 8000, 8001, 8002, 8004, 8005, 8006, 8007, 8008, 8009, 8012, 8013, 8014, 8047, 8051, 8052, 8053, 8054, 8055, 8060, 8061, 8062, 8063, 8244, 8260, 8275, 8340, 8352, 8353, 8356, 8357, 8372, 8420, 8453, 8576, 8577, 8578, 8579, 8580, 8581, 8582, 8583, 8584, 8585, 8586, 8587, 8588, 8589, 8591, 8610, 8625, 8627, 8628, 8629, 8630, 8632, 8633, 8634, 8635, 8636, 8638, 8639, 8724, 8807, 8809, 8813, 8855, 8904, 8906, 8907, 8911, 8916, 8938, 8944, 8976, 9078, 9202, 9217, 9269, 9275, 9282, 9286, 9291, 9338, 9354, 9357, 9361, 9533, 9598, 9703, 9706, 9769, 9798, 9801, 9802, 9807, 9819, 9849, 9872, 9874, 9878, 9927, 9940, 9942, 9943, 9945, 9951, 9960, 9982, 9983, 10091, 10138, 10139, 10142, 10164, 10171, 10203, 10326, 10363, 10451, 10462, 10505, 10558, 10560, 10561, 10562, 10563, 10564, 10565, 10566, 10567, 10568, 10569, 10570, 10571, 10572, 10573, 10574, 10575, 10576, 10577, 10578, 10579, 10581, 10582, 10584, 10587, 10589, 10608, 10609, 10610, 10611, 10612, 10613, 10614, 10615, 10616, 10617, 10618, 10619, 10620, 10621, 10622, 10623, 10628, 10633, 10634, 10635, 10638, 10655, 10666, 10750, 10751, 10759, 10798, 10823, 10829, 10831, 10921, 10981, 10982, 10988, 11034, 11042, 11044, 11048, 11050, 11052, 11091, 11093, 11095, 11097, 11099, 11102, 11141, 11148, 11150, 11197, 11198, 11233, 11240, 11243, 11246, 11284, 11288, 11291, 11293, 11411, 11462, 11534, 11551, 11630, 11647, 11738, 11904, 11905, 12033, 12035, 12046, 12047, 12117, 12127, 12147, 12160, 12161, 12162, 12163, 12164, 12165, 12166, 12167, 12168, 12169, 12170, 12171, 12172, 12173, 12174, 12175, 12271, 12276, 12280, 12282, 12286] bad_dcal = [12320, 12321, 12322, 12323, 12324, 12325, 12326, 12327, 12328, 12329, 12330, 12331, 12332, 12333, 12334, 12335, 12368, 12369, 12370, 12371, 12372, 12373, 12374, 12375, 12376, 12377, 12378, 12379, 12380, 12381, 12382, 12383, 12384, 12385, 12386, 12387, 12388, 12389, 12390, 12391, 12392, 12393, 12394, 12395, 12396, 12397, 12398, 12399, 12432, 12433, 12434, 12435, 12436, 12437, 12438, 12439, 12440, 12441, 12442, 12443, 12444, 12445, 12446, 12447, 12487, 12604, 12607, 12609, 12610, 12613, 12614, 12615, 12616, 12617, 12618, 12620, 12621, 12622, 12623, 12800, 12801, 12802, 12803, 12805, 12806, 12807, 12809, 12810, 12811, 12812, 12813, 12814, 12815, 12818, 12821, 12822, 12823, 12826, 12827, 12828, 12829, 12830, 12848, 12850, 12856, 12857, 12858, 12859, 12862, 12914, 12915, 12918, 12922, 12925, 12927, 12988, 13049, 13053, 13055, 13056, 13058, 13059, 13064, 13068, 13120, 13122, 13123, 13126, 13128, 13130, 13131, 13156, 13248, 13249, 13280, 13282, 13284, 13287, 13288, 13290, 13292, 13294, 13392, 13394, 13395, 13398, 13399, 13400, 13402, 13403, 13405, 13406, 13407, 13433, 13458, 13459, 13460, 13462, 13463, 13464, 13465, 13467, 13469, 13471, 13476, 13477, 13478, 13479, 13481, 13483, 13485, 13486, 13487, 13508, 13510, 13512, 13517, 13524, 13553, 13556, 13558, 13559, 13574, 13578, 13589, 13630, 13780, 13786, 13798, 13828, 13835, 13848, 13903, 13921, 13926, 13933, 13953, 13968, 13969, 13972, 13973, 13975, 13980, 13983, 13988, 14017, 14058, 14060, 14081, 14116, 14117, 14119, 14123, 14125, 14126, 14153, 14157, 14191, 14193, 14207, 14225, 14228, 14229, 14233, 14234, 14236, 14237, 14239, 14247, 14249, 14254, 14255, 14302, 14303, 14304, 14305, 14306, 14307, 14308, 14309, 14311, 14313, 14314, 14315, 14317, 14318, 14319, 14320, 14325, 14326, 14362, 14363, 14373, 14374, 14398, 14400, 14402, 14403, 14406, 14407, 14409, 14410, 14411, 14412, 14413, 14414, 14415, 14432, 14433, 14434, 14435, 14436, 14437, 14438, 14439, 14440, 14441, 14442, 14443, 14444, 14445, 14446, 14447, 14480, 14481, 14482, 14483, 14484, 14485, 14486, 14487, 14488, 14489, 14490, 14491, 14492, 14493, 14494, 14495, 14498, 14501, 14502, 14503, 14505, 14544, 14545, 14546, 14549, 14550, 14553, 14554, 14557, 14558, 14559, 14592, 14593, 14594, 14597, 14598, 14602, 14604, 14605, 14607, 14608, 14609, 14610, 14611, 14613, 14616, 14617, 14618, 14621, 14622, 14623, 14624, 14625, 14626, 14627, 14628, 14629, 14630, 14631, 14632, 14633, 14634, 14635, 14636, 14637, 14638, 14639, 14640, 14647, 14657, 14659, 14660, 14661, 14662, 14663, 14668, 14669, 14671, 14672, 14679, 14688, 14689, 14690, 14691, 14692, 14694, 14697, 14698, 14700, 14701, 14702, 14703, 14704, 14705, 14706, 14707, 14708, 14709, 14711, 14712, 14713, 14716, 14717, 14721, 14722, 14723, 14724, 14725, 14726, 14727, 14728, 14730, 14731, 14732, 14733, 14734, 14735, 14736, 14737, 14738, 14739, 14740, 14741, 14742, 14744, 14745, 14746, 14747, 14748, 14749, 14750, 14752, 14753, 14754, 14755, 14756, 14757, 14758, 14759, 14760, 14761, 14762, 14763, 14764, 14765, 14766, 14767, 14768, 14770, 14772, 14773, 14774, 14775, 14776, 14777, 14779, 14782, 14783, 14839, 14862, 14867, 14872, 14874, 14895, 14977, 14980, 14991, 14993, 15009, 15012, 15015, 15020, 15021, 15027, 15033, 15094, 15096, 15137, 15140, 15143, 15152, 15154, 15155, 15158, 15162, 15164, 15200, 15201, 15202, 15203, 15204, 15205, 15206, 15207, 15208, 15209, 15210, 15211, 15212, 15213, 15217, 15266, 15272, 15276, 15280, 15282, 15284, 15286, 15287, 15288, 15289, 15290, 15291, 15292, 15293, 15294, 15295, 15296, 15298, 15299, 15314, 15315, 15318, 15328, 15331, 15333, 15338, 15339, 15341, 15342, 15343, 15345, 15354, 15359, 15398, 15445, 15460, 15463, 15469, 15470, 15476, 15624, 15670, 15690, 15719, 15754, 15776, 15777, 15785, 15821, 15870, 15877, 15908, 15936, 15947, 15949, 15955, 15958, 15963, 15965, 15967, 15969, 15972, 15979, 15980, 15981, 15982, 15983, 16019, 16026, 16028, 16031, 16082, 16083, 16088, 16089, 16090, 16091, 16094, 16215, 16258, 16268, 16304, 16306, 16307, 16308, 16311, 16317, 16349, 16395, 16422, 16428, 16429, 16431, 16440, 16442, 16443, 16446, 16466, 16467, 16468, 16469, 16472, 16473, 16474, 16475, 16476, 16477, 16478, 16479, 16481, 16482, 16483, 16488, 16489, 16491, 16492, 16493, 16496, 16497, 16498, 16500, 16501, 16502, 16506, 16509, 16510, 16511, 16528, 16529, 16530, 16531, 16532, 16533, 16534, 16536, 16537, 16538, 16539, 16540, 16542, 16543, 16576, 16578, 16580, 16581, 16582, 16584, 16585, 16586, 16587, 16588, 16589, 16590, 16591, 16608, 16609, 16611, 16612, 16614, 16615, 16616, 16617, 16618, 16619, 16620, 16621, 16623, 16634, 16656, 16657, 16658, 16660, 16661, 16662, 16664, 16665, 16667, 16668, 16669, 16670, 16671, 16784, 16785, 16789, 16821, 16826, 16830, 16886, 16907, 16911, 16927, 17046, 17088, 17089, 17090, 17091, 17097, 17107, 17117, 17202, 17203, 17204, 17206, 17232, 17233, 17234, 17236, 17237, 17249, 17265, 17291, 17295, 17296, 17312, 17313, 17314, 17315, 17316, 17317, 17318, 17319, 17320, 17321, 17322, 17323, 17324, 17325, 17326, 17327, 17328, 17329, 17330, 17331, 17332, 17333, 17334, 17335, 17336, 17337, 17338, 17339, 17340, 17341, 17342, 17343, 17352, 17377, 17381, 17396, 17452, 17463, 17537, 17597, 17632, 17633, 17634, 17635, 17636, 17637, 17638, 17639, 17640, 17641, 17642, 17643, 17645, 17646, 17647, 17648, 17649, 17650, 17651, 17652, 17653, 17654, 17655, 17656, 17657, 17658, 17659, 17660, 17661, 17662] warm_emcal = [15, 594, 1276, 1384, 2113, 2127, 2389, 2778, 3135, 4299, 4531, 4569, 4571, 4605, 5608, 5832, 6340, 6640, 6646, 6886, 8000, 8001, 8004, 8005, 8006, 8007, 8009, 8014, 8051, 8052, 8053, 8054, 8055, 8061, 8813, 8855, 8904, 8906, 8907, 8911, 8944, 9202, 9217, 9819, 9849, 9872, 9878, 10091, 10462, 10558, 10655, 10750, 10751, 10798, 11034, 11042, 11044, 11050, 11052, 11093, 11095, 11097, 11099, 11102, 11148, 11150, 11197, 11198, 11411, 11534, 11551, 11647, 11904, 12033, 12035, 12046, 12047, 12117, 12127, 12271, 12276, 12280, 12282, 12286] warm_dcal = [12609, 12610, 12613, 12615, 12616, 12617, 12618, 12620, 12807, 12811, 12812, 12813, 12818, 12823, 12829, 12830, 12850, 12858, 12914, 12922, 12988, 13056, 13058, 13120, 13128, 13130, 13131, 13288, 13395, 13398, 13399, 13405, 13458, 13462, 13463, 13469, 13477, 13479, 13481, 13483, 13486, 13487, 13512, 13517, 13553, 13574, 13630, 13780, 13786, 13798, 13848, 13921, 13973, 13975, 13980, 13983, 14058, 14081, 14116, 14126, 14304, 14320, 14326, 14362, 14363, 14400, 14402, 14407, 14409, 14411, 14412, 14414, 14498, 14501, 14545, 14546, 14593, 14597, 14609, 14613, 14621, 14622, 14623, 14657, 14659, 14661, 14671, 14703, 14705, 14706, 14707, 14708, 14716, 14717, 14721, 14722, 14725, 14728, 14731, 14739, 14740, 14746, 14748, 14749, 14752, 14759, 14762, 14768, 14770, 14774, 14776, 14777, 14782, 14783, 14874, 15027, 15154, 15158, 15162, 15280, 15284, 15287, 15289, 15290, 15292, 15293, 15298, 15314, 15315, 15341, 15342, 15460, 15470, 15476, 15776, 15947, 15967, 16082, 16083, 16090, 16306, 16308, 16431, 16442, 16466, 16469, 16472, 16475, 16483, 16489, 16491, 16497, 16502, 16510, 16907, 16911, 16927, 17088, 17090, 17107, 17296, 17352, 17396, 17452, 17463] bad_all = dead_emcal + dead_dcal + bad_emcal + bad_dcal + warm_emcal + warm_dcal
dead_emcal = [128, 129, 131, 134, 139, 140, 182, 184, 188, 189, 385, 394, 397, 398, 399, 432, 434, 436, 440, 442, 5024, 5025, 5026, 5027, 5028, 5030, 5032, 5033, 5035, 5036, 5037, 5038, 5039, 5121, 5122, 5123, 5124, 5125, 5126, 5128, 5129, 5130, 5132, 5133, 5134, 5135, 5170, 5172, 5173, 5174, 5178, 5181, 6641, 6647, 6654, 6933, 6936, 6941, 6986, 6987, 6990, 8590, 8624, 8626, 8631, 8637, 10580, 10583, 10585, 10586, 10588, 10590, 10591, 10624, 10625, 10626, 10627, 10629, 10630, 10631, 10632, 10636, 10637, 10639, 11232, 11234, 11235, 11236, 11237, 11238, 11239, 11241, 11242, 11244, 11245, 11247, 11280, 11281, 11282, 11283, 11285, 11286, 11287, 11289, 11290, 11292, 11294, 11295] dead_dcal = [12608, 12831, 12860, 13466, 13470, 13981, 14231, 14312, 14404, 14693, 14695, 14729, 15214, 15215, 15281, 15285, 15323, 15327, 15330, 15332, 15334, 15335, 15336, 15872, 15968, 15970, 15971, 16016, 16017, 16018, 16029, 16030, 16535, 16541, 16577, 16579, 16583, 16610, 16613, 16622, 16659, 16663, 16666, 16824, 17644, 17663] bad_emcal = [3, 15, 56, 57, 58, 59, 60, 61, 62, 63, 74, 103, 130, 132, 133, 135, 136, 137, 138, 141, 142, 143, 176, 177, 178, 179, 180, 181, 183, 185, 186, 187, 190, 191, 198, 287, 288, 289, 290, 291, 292, 293, 294, 295, 297, 298, 299, 300, 301, 302, 303, 328, 336, 337, 338, 339, 340, 341, 343, 344, 345, 346, 347, 348, 349, 350, 353, 384, 386, 387, 388, 389, 390, 391, 392, 393, 395, 396, 433, 435, 437, 438, 439, 441, 443, 444, 445, 446, 447, 554, 594, 655, 720, 759, 917, 1002, 1038, 1050, 1061, 1067, 1175, 1204, 1212, 1222, 1276, 1288, 1366, 1376, 1380, 1384, 1386, 1414, 1441, 1519, 1534, 1535, 1704, 1711, 1738, 1825, 1836, 1837, 1838, 1839, 1844, 1860, 1892, 1963, 1967, 1968, 2014, 2020, 2022, 2026, 2047, 2112, 2113, 2114, 2115, 2116, 2117, 2118, 2119, 2120, 2122, 2123, 2124, 2125, 2127, 2161, 2196, 2210, 2245, 2298, 2325, 2389, 2395, 2397, 2399, 2424, 2487, 2505, 2506, 2533, 2534, 2540, 2575, 2581, 2586, 2665, 2688, 2776, 2778, 2787, 2793, 2797, 2805, 2823, 2824, 2825, 2857, 2884, 2888, 2891, 2915, 2921, 2985, 3039, 3051, 3135, 3161, 3196, 3223, 3236, 3244, 3259, 3297, 3339, 3353, 3488, 3503, 3732, 3740, 3748, 3754, 3772, 3776, 3777, 3778, 3779, 3780, 3781, 3782, 3783, 3784, 3785, 3786, 3787, 3788, 3789, 3790, 3791, 3796, 3824, 3825, 3826, 3827, 3828, 3829, 3830, 3831, 3832, 3833, 3834, 3835, 3839, 3840, 3854, 3906, 3908, 3914, 3940, 3962, 3974, 4011, 4026, 4027, 4058, 4129, 4212, 4230, 4282, 4299, 4320, 4372, 4421, 4516, 4530, 4531, 4532, 4538, 4543, 4569, 4571, 4596, 4605, 4613, 4614, 4621, 4627, 4637, 4817, 4835, 4837, 4838, 4839, 4846, 4847, 4967, 5029, 5031, 5034, 5120, 5127, 5131, 5168, 5169, 5171, 5175, 5176, 5177, 5179, 5180, 5182, 5183, 5231, 5328, 5329, 5330, 5331, 5332, 5333, 5334, 5335, 5336, 5337, 5338, 5339, 5340, 5341, 5343, 5448, 5608, 5662, 5663, 5824, 5826, 5831, 5832, 5833, 5850, 6064, 6080, 6081, 6082, 6083, 6084, 6085, 6086, 6087, 6088, 6089, 6090, 6091, 6092, 6093, 6094, 6095, 6104, 6128, 6129, 6130, 6131, 6132, 6133, 6134, 6135, 6136, 6137, 6138, 6139, 6140, 6141, 6142, 6143, 6184, 6275, 6331, 6340, 6481, 6640, 6645, 6646, 6649, 6701, 6735, 6811, 6886, 6928, 6929, 6930, 6931, 6932, 6934, 6935, 6937, 6938, 6939, 6940, 6942, 6943, 6976, 6977, 6978, 6979, 6980, 6981, 6982, 6983, 6984, 6985, 6988, 6989, 6991, 7089, 7150, 7371, 7417, 7425, 7430, 7491, 7572, 7793, 8000, 8001, 8002, 8004, 8005, 8006, 8007, 8008, 8009, 8012, 8013, 8014, 8047, 8051, 8052, 8053, 8054, 8055, 8060, 8061, 8062, 8063, 8244, 8260, 8275, 8340, 8352, 8353, 8356, 8357, 8372, 8420, 8453, 8576, 8577, 8578, 8579, 8580, 8581, 8582, 8583, 8584, 8585, 8586, 8587, 8588, 8589, 8591, 8610, 8625, 8627, 8628, 8629, 8630, 8632, 8633, 8634, 8635, 8636, 8638, 8639, 8724, 8807, 8809, 8813, 8855, 8904, 8906, 8907, 8911, 8916, 8938, 8944, 8976, 9078, 9202, 9217, 9269, 9275, 9282, 9286, 9291, 9338, 9354, 9357, 9361, 9533, 9598, 9703, 9706, 9769, 9798, 9801, 9802, 9807, 9819, 9849, 9872, 9874, 9878, 9927, 9940, 9942, 9943, 9945, 9951, 9960, 9982, 9983, 10091, 10138, 10139, 10142, 10164, 10171, 10203, 10326, 10363, 10451, 10462, 10505, 10558, 10560, 10561, 10562, 10563, 10564, 10565, 10566, 10567, 10568, 10569, 10570, 10571, 10572, 10573, 10574, 10575, 10576, 10577, 10578, 10579, 10581, 10582, 10584, 10587, 10589, 10608, 10609, 10610, 10611, 10612, 10613, 10614, 10615, 10616, 10617, 10618, 10619, 10620, 10621, 10622, 10623, 10628, 10633, 10634, 10635, 10638, 10655, 10666, 10750, 10751, 10759, 10798, 10823, 10829, 10831, 10921, 10981, 10982, 10988, 11034, 11042, 11044, 11048, 11050, 11052, 11091, 11093, 11095, 11097, 11099, 11102, 11141, 11148, 11150, 11197, 11198, 11233, 11240, 11243, 11246, 11284, 11288, 11291, 11293, 11411, 11462, 11534, 11551, 11630, 11647, 11738, 11904, 11905, 12033, 12035, 12046, 12047, 12117, 12127, 12147, 12160, 12161, 12162, 12163, 12164, 12165, 12166, 12167, 12168, 12169, 12170, 12171, 12172, 12173, 12174, 12175, 12271, 12276, 12280, 12282, 12286] bad_dcal = [12320, 12321, 12322, 12323, 12324, 12325, 12326, 12327, 12328, 12329, 12330, 12331, 12332, 12333, 12334, 12335, 12368, 12369, 12370, 12371, 12372, 12373, 12374, 12375, 12376, 12377, 12378, 12379, 12380, 12381, 12382, 12383, 12384, 12385, 12386, 12387, 12388, 12389, 12390, 12391, 12392, 12393, 12394, 12395, 12396, 12397, 12398, 12399, 12432, 12433, 12434, 12435, 12436, 12437, 12438, 12439, 12440, 12441, 12442, 12443, 12444, 12445, 12446, 12447, 12487, 12604, 12607, 12609, 12610, 12613, 12614, 12615, 12616, 12617, 12618, 12620, 12621, 12622, 12623, 12800, 12801, 12802, 12803, 12805, 12806, 12807, 12809, 12810, 12811, 12812, 12813, 12814, 12815, 12818, 12821, 12822, 12823, 12826, 12827, 12828, 12829, 12830, 12848, 12850, 12856, 12857, 12858, 12859, 12862, 12914, 12915, 12918, 12922, 12925, 12927, 12988, 13049, 13053, 13055, 13056, 13058, 13059, 13064, 13068, 13120, 13122, 13123, 13126, 13128, 13130, 13131, 13156, 13248, 13249, 13280, 13282, 13284, 13287, 13288, 13290, 13292, 13294, 13392, 13394, 13395, 13398, 13399, 13400, 13402, 13403, 13405, 13406, 13407, 13433, 13458, 13459, 13460, 13462, 13463, 13464, 13465, 13467, 13469, 13471, 13476, 13477, 13478, 13479, 13481, 13483, 13485, 13486, 13487, 13508, 13510, 13512, 13517, 13524, 13553, 13556, 13558, 13559, 13574, 13578, 13589, 13630, 13780, 13786, 13798, 13828, 13835, 13848, 13903, 13921, 13926, 13933, 13953, 13968, 13969, 13972, 13973, 13975, 13980, 13983, 13988, 14017, 14058, 14060, 14081, 14116, 14117, 14119, 14123, 14125, 14126, 14153, 14157, 14191, 14193, 14207, 14225, 14228, 14229, 14233, 14234, 14236, 14237, 14239, 14247, 14249, 14254, 14255, 14302, 14303, 14304, 14305, 14306, 14307, 14308, 14309, 14311, 14313, 14314, 14315, 14317, 14318, 14319, 14320, 14325, 14326, 14362, 14363, 14373, 14374, 14398, 14400, 14402, 14403, 14406, 14407, 14409, 14410, 14411, 14412, 14413, 14414, 14415, 14432, 14433, 14434, 14435, 14436, 14437, 14438, 14439, 14440, 14441, 14442, 14443, 14444, 14445, 14446, 14447, 14480, 14481, 14482, 14483, 14484, 14485, 14486, 14487, 14488, 14489, 14490, 14491, 14492, 14493, 14494, 14495, 14498, 14501, 14502, 14503, 14505, 14544, 14545, 14546, 14549, 14550, 14553, 14554, 14557, 14558, 14559, 14592, 14593, 14594, 14597, 14598, 14602, 14604, 14605, 14607, 14608, 14609, 14610, 14611, 14613, 14616, 14617, 14618, 14621, 14622, 14623, 14624, 14625, 14626, 14627, 14628, 14629, 14630, 14631, 14632, 14633, 14634, 14635, 14636, 14637, 14638, 14639, 14640, 14647, 14657, 14659, 14660, 14661, 14662, 14663, 14668, 14669, 14671, 14672, 14679, 14688, 14689, 14690, 14691, 14692, 14694, 14697, 14698, 14700, 14701, 14702, 14703, 14704, 14705, 14706, 14707, 14708, 14709, 14711, 14712, 14713, 14716, 14717, 14721, 14722, 14723, 14724, 14725, 14726, 14727, 14728, 14730, 14731, 14732, 14733, 14734, 14735, 14736, 14737, 14738, 14739, 14740, 14741, 14742, 14744, 14745, 14746, 14747, 14748, 14749, 14750, 14752, 14753, 14754, 14755, 14756, 14757, 14758, 14759, 14760, 14761, 14762, 14763, 14764, 14765, 14766, 14767, 14768, 14770, 14772, 14773, 14774, 14775, 14776, 14777, 14779, 14782, 14783, 14839, 14862, 14867, 14872, 14874, 14895, 14977, 14980, 14991, 14993, 15009, 15012, 15015, 15020, 15021, 15027, 15033, 15094, 15096, 15137, 15140, 15143, 15152, 15154, 15155, 15158, 15162, 15164, 15200, 15201, 15202, 15203, 15204, 15205, 15206, 15207, 15208, 15209, 15210, 15211, 15212, 15213, 15217, 15266, 15272, 15276, 15280, 15282, 15284, 15286, 15287, 15288, 15289, 15290, 15291, 15292, 15293, 15294, 15295, 15296, 15298, 15299, 15314, 15315, 15318, 15328, 15331, 15333, 15338, 15339, 15341, 15342, 15343, 15345, 15354, 15359, 15398, 15445, 15460, 15463, 15469, 15470, 15476, 15624, 15670, 15690, 15719, 15754, 15776, 15777, 15785, 15821, 15870, 15877, 15908, 15936, 15947, 15949, 15955, 15958, 15963, 15965, 15967, 15969, 15972, 15979, 15980, 15981, 15982, 15983, 16019, 16026, 16028, 16031, 16082, 16083, 16088, 16089, 16090, 16091, 16094, 16215, 16258, 16268, 16304, 16306, 16307, 16308, 16311, 16317, 16349, 16395, 16422, 16428, 16429, 16431, 16440, 16442, 16443, 16446, 16466, 16467, 16468, 16469, 16472, 16473, 16474, 16475, 16476, 16477, 16478, 16479, 16481, 16482, 16483, 16488, 16489, 16491, 16492, 16493, 16496, 16497, 16498, 16500, 16501, 16502, 16506, 16509, 16510, 16511, 16528, 16529, 16530, 16531, 16532, 16533, 16534, 16536, 16537, 16538, 16539, 16540, 16542, 16543, 16576, 16578, 16580, 16581, 16582, 16584, 16585, 16586, 16587, 16588, 16589, 16590, 16591, 16608, 16609, 16611, 16612, 16614, 16615, 16616, 16617, 16618, 16619, 16620, 16621, 16623, 16634, 16656, 16657, 16658, 16660, 16661, 16662, 16664, 16665, 16667, 16668, 16669, 16670, 16671, 16784, 16785, 16789, 16821, 16826, 16830, 16886, 16907, 16911, 16927, 17046, 17088, 17089, 17090, 17091, 17097, 17107, 17117, 17202, 17203, 17204, 17206, 17232, 17233, 17234, 17236, 17237, 17249, 17265, 17291, 17295, 17296, 17312, 17313, 17314, 17315, 17316, 17317, 17318, 17319, 17320, 17321, 17322, 17323, 17324, 17325, 17326, 17327, 17328, 17329, 17330, 17331, 17332, 17333, 17334, 17335, 17336, 17337, 17338, 17339, 17340, 17341, 17342, 17343, 17352, 17377, 17381, 17396, 17452, 17463, 17537, 17597, 17632, 17633, 17634, 17635, 17636, 17637, 17638, 17639, 17640, 17641, 17642, 17643, 17645, 17646, 17647, 17648, 17649, 17650, 17651, 17652, 17653, 17654, 17655, 17656, 17657, 17658, 17659, 17660, 17661, 17662] warm_emcal = [15, 594, 1276, 1384, 2113, 2127, 2389, 2778, 3135, 4299, 4531, 4569, 4571, 4605, 5608, 5832, 6340, 6640, 6646, 6886, 8000, 8001, 8004, 8005, 8006, 8007, 8009, 8014, 8051, 8052, 8053, 8054, 8055, 8061, 8813, 8855, 8904, 8906, 8907, 8911, 8944, 9202, 9217, 9819, 9849, 9872, 9878, 10091, 10462, 10558, 10655, 10750, 10751, 10798, 11034, 11042, 11044, 11050, 11052, 11093, 11095, 11097, 11099, 11102, 11148, 11150, 11197, 11198, 11411, 11534, 11551, 11647, 11904, 12033, 12035, 12046, 12047, 12117, 12127, 12271, 12276, 12280, 12282, 12286] warm_dcal = [12609, 12610, 12613, 12615, 12616, 12617, 12618, 12620, 12807, 12811, 12812, 12813, 12818, 12823, 12829, 12830, 12850, 12858, 12914, 12922, 12988, 13056, 13058, 13120, 13128, 13130, 13131, 13288, 13395, 13398, 13399, 13405, 13458, 13462, 13463, 13469, 13477, 13479, 13481, 13483, 13486, 13487, 13512, 13517, 13553, 13574, 13630, 13780, 13786, 13798, 13848, 13921, 13973, 13975, 13980, 13983, 14058, 14081, 14116, 14126, 14304, 14320, 14326, 14362, 14363, 14400, 14402, 14407, 14409, 14411, 14412, 14414, 14498, 14501, 14545, 14546, 14593, 14597, 14609, 14613, 14621, 14622, 14623, 14657, 14659, 14661, 14671, 14703, 14705, 14706, 14707, 14708, 14716, 14717, 14721, 14722, 14725, 14728, 14731, 14739, 14740, 14746, 14748, 14749, 14752, 14759, 14762, 14768, 14770, 14774, 14776, 14777, 14782, 14783, 14874, 15027, 15154, 15158, 15162, 15280, 15284, 15287, 15289, 15290, 15292, 15293, 15298, 15314, 15315, 15341, 15342, 15460, 15470, 15476, 15776, 15947, 15967, 16082, 16083, 16090, 16306, 16308, 16431, 16442, 16466, 16469, 16472, 16475, 16483, 16489, 16491, 16497, 16502, 16510, 16907, 16911, 16927, 17088, 17090, 17107, 17296, 17352, 17396, 17452, 17463] bad_all = dead_emcal + dead_dcal + bad_emcal + bad_dcal + warm_emcal + warm_dcal
#!/usr/bin/python3 #---------------------- Begin Serializer Boilerplate for GAPS ------------------------ HHEAD='''#ifndef GMA_HEADER_FILE #define GMA_HEADER_FILE #pragma pack(1) #include <stdio.h> #include <stdint.h> #include <string.h> #include <stdlib.h> #include <unistd.h> #include <inttypes.h> #include <arpa/inet.h> #include <float.h> #include "float754.h" #define id(X) (X) typedef struct _trailer_datatype { uint32_t seq; uint32_t rqr; uint32_t oid; uint16_t mid; uint16_t crc; } trailer_datatype; ''' HTAIL='''#endif ''' FLOATH='''#ifndef _FLOAT_H_ #define _FLOAT_H_ /* Network order for double/float: 0 = Little endian, 1 = Big endian */ /* Currently our DFDL uses littleEndian network order for float and double */ /* This choice was based on the convention used by the shapeFile format */ /* We are preserving bigEndian order for all integer types including uint64_t */ #define FLOAT_BIG_ENDIAN 0 #define big_end_test (1==htonl(1)) #define swap_uint16(x) (((uint16_t) ((x) & 0xFF) << 8) | (((x) & 0xFF00) >> 8)) #define swap_uint32(x) (((uint32_t)swap_uint16((x) & 0xFFFF) << 16) | swap_uint16((x) >> 16)) #define swap_uint64(x) (((uint64_t)swap_uint32((x) & 0xFFFFFFFF) << 32) | swap_uint32((x) >> 32)) #define my_htoxll(x) (big_end_test ? swap_uint64(x) : (x)) #define my_htoxl(x) (big_end_test ? swap_uint32(x) : (x)) #define my_htonll(x) (big_end_test ? (x) : swap_uint64(x)) #define my_htonl(x) (big_end_test ? (x) : swap_uint32(x)) /* Functions / macros called by user */ #define htonll(x) my_htonll(x) #define ntohll(x) my_htonll(x) extern uint32_t htonf(float); extern float ntohf(uint32_t); extern uint64_t htond(long double); extern long double ntohd(uint64_t); #endif /* _FLOAT_H_ */ ''' FLOATC='''/* * FLOAT.C * IEEE-754 uint64_t encoding/decoding, plus conversion macros into/from network (x865) byte order * * 1) Pack (double/float) encoder and decoder using: https://beej.us/guide/bgnet/examples/ieee754.c * a) uint64_t = 1-bit Sign (1=-), 11-bit Biased Exponent (BE), 52-bit Normalised Mantisa (NM) * e.g., 85.125 = 1.010101001 x 2^6 => S=0, BE=(bias=1023)+(6)=10000000101, NM=010101001000000... * n) uint32_t = 1-bit Sign (1=-), 8-bit Biased Exponent (BE), 23-bit Normalised Mantisa (NM) * * 2) Endian converter changes byte order between host encoded (uint_xx_t) and big-endian network format (unless FLOAT_BIG_ENDIAN=0, in which case it converts to a little-endian network format) */ #include <stdio.h> #include <stdint.h> #include <inttypes.h> #include <arpa/inet.h> #include "float754.h" #define pack754_32(f) (pack754((f), 32, 8)) #define pack754_64(f) (pack754((f), 64, 11)) #define unpack754_32(i) (unpack754((i), 32, 8)) #define unpack754_64(i) (unpack754((i), 64, 11)) /* Encoding into IEEE-754 encoded double */ uint64_t pack754(long double f, unsigned bits, unsigned expbits) { long double fnorm; int shift; long long sign, exp, significand; unsigned significandbits = bits - expbits - 1; // -1 for sign bit if (f == 0.0) return 0; // get this special case out of the way // check sign and begin normalization if (f < 0) { sign = 1; fnorm = -f; } else { sign = 0; fnorm = f; } // get the normalized form of f and track the exponent shift = 0; while(fnorm >= 2.0) { fnorm /= 2.0; shift++; } while(fnorm < 1.0) { fnorm *= 2.0; shift--; } fnorm = fnorm - 1.0; // calculate the binary form (non-float) of the significand data significand = fnorm * ((1LL<<significandbits) + 0.5f); // get the biased exponent exp = shift + ((1<<(expbits-1)) - 1); // shift + bias // return the final answer return (sign<<(bits-1)) | (exp<<(bits-expbits-1)) | significand; } /* Decoding from IEEE-754 encoded double */ long double unpack754(uint64_t i, unsigned bits, unsigned expbits) { long double result; long long shift; unsigned bias; unsigned significandbits = bits - expbits - 1; // -1 for sign bit if (i == 0) return 0.0; // pull the significand result = (i&((1LL<<significandbits)-1)); // mask result /= (1LL<<significandbits); // convert back to float result += 1.0f; // add the one back on // deal with the exponent bias = (1<<(expbits-1)) - 1; shift = ((i>>significandbits)&((1LL<<expbits)-1)) - bias; while(shift > 0) { result *= 2.0; shift--; } while(shift < 0) { result /= 2.0; shift++; } // sign it result *= (i>>(bits-1))&1? -1.0: 1.0; return result; } /* Converts host float by encoding into IEEE-754 uint32_t and putting into Network byte order */ uint32_t htonf(float f) { uint32_t h = pack754_32(f); if (FLOAT_BIG_ENDIAN != 0) return ((my_htonl(h))); /* to Network Big-Endian */ else return ((my_htoxl(h))); /* to Network Little-Endian */ } /* Converts IEEE-754 uint32_t in Network byte order into host float */ float ntohf(uint32_t i) { uint32_t h; if (FLOAT_BIG_ENDIAN != 0) h = (my_htonl(i)); /* from Network Big-Endian */ else h = (my_htoxl(i)); /* from Network Little-Endian */ return (unpack754_32(h)); } /* Converts host double by encoding into IEEE-754 uint64_t and putting into Network byte order */ uint64_t htond(long double f) { uint64_t h = pack754_64(f); if (FLOAT_BIG_ENDIAN != 0) return ((my_htonll(h))); /* to Network Big-Endian */ else return ((my_htoxll(h))); /* to Network Little-Endian */ } /* Converts IEEE-754 uint64_t in Network byte order into host double */ long double ntohd(uint64_t i) { uint64_t h; if (FLOAT_BIG_ENDIAN != 0) h = (my_htonll(i)); /* from Network Big-Endian */ else h = (my_htoxll(i)); /* from Network Little-Endian */ return (unpack754_64(h)); } ''' #---------------------- End Serializer Boilerplate for GAPS ------------------------ cintyp = { 'double': 'double', 'ffloat': 'float', 'int8': 'int8_t', 'uint8': 'uint8_t', 'int16': 'int16_t', 'uint16': 'uint16_t', 'int32': 'int32_t', 'uint32': 'uint32_t', 'int64': 'int64_t', 'uint64': 'uint64_t' } coutyp = { 'double': 'uint64_t', 'ffloat': 'uint32_t', 'int8': 'int8_t', 'uint8': 'uint8_t', 'int16': 'int16_t', 'uint16': 'uint16_t', 'int32': 'int32_t', 'uint32': 'uint32_t', 'int64': 'int64_t', 'uint64': 'uint64_t' } fmtstr = { 'double': '%lf', 'ffloat': '%f', 'int8': '%hd', 'uint8': '%hu', 'int16': '%hd', 'uint16': '%hu', 'int32': '%d', 'uint32': '%u', 'int64': '%ld', 'uint64': '%lu' } encfn = { 'double': 'htond', 'ffloat': 'htonf', 'int8': 'id', 'uint8': 'id', 'int16': 'htons', 'uint16': 'htons', 'int32': 'htonl', 'uint32': 'htonl', 'int64': 'htonll', 'uint64': 'htonll' } decfn = { 'double': 'ntohd', 'ffloat': 'ntohf', 'int8': 'id', 'uint8': 'id', 'int16': 'ntohs', 'uint16': 'ntohs', 'int32': 'ntohl', 'uint32': 'ntohl', 'int64': 'ntohll', 'uint64': 'ntohll' } class CodecWriter: def __init__(self,typbase=0): self.typbase=typbase def make_scalar(self,d,f,ser,inp): appstr = '' if ser == 'header': t = cintyp[f[0]] if inp else coutyp[f[0]] appstr += ' ' + t + ' ' + f[1] + ';' + '\n' elif ser == 'printer': appstr += ' ' + 'fprintf(stderr, " ' + fmtstr[f[0]] + ',", ' + d + '->' + f[1] + ');' + '\n' elif ser == 'encoder': appstr += ' ' + 'p2->' + f[1] + ' = ' + encfn[f[0]] + '(p1->' + f[1] + ');' + '\n' elif ser == 'decoder': appstr += ' ' + 'p2->' + f[1] + ' = ' + decfn[f[0]] + '(p1->' + f[1] + ');' + '\n' elif ser == 'sizeof': appstr += 'sizeof(' + cintyp[f[0]] + ') + ' else: raise Exception('Unknown serializarion: ' + ser) return appstr def make_array(self,d,f,ser,inp): appstr = '' if ser == 'header': t = cintyp[f[0]] if inp else coutyp[f[0]] appstr += ' ' + t + ' ' + f[1] + '[' + str(f[2]) + '];' + '\n' elif ser == 'printer': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'fprintf(stderr, " ' + fmtstr[f[0]] + ',", ' + d + '->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'encoder': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'p2->' + f[1] + '[i] = ' + encfn[f[0]] + '(p1->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'decoder': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'p2->' + f[1] + '[i] = ' + decfn[f[0]] + '(p1->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'sizeof': appstr += 'sizeof(' + cintyp[f[0]] + ') * ' + str(f[2]) + ' + ' else: raise Exception('Unknown serialization: ' + ser) return appstr def make_dtyp_enum(self,tree): dtypid = 0 appstr = '' appstr += '#ifndef TYP_BASE' + '\n' appstr += '#define TYP_BASE ' + str(self.typbase) + '\n' appstr += '#endif /* TYP_BASE */' + '\n' for dtypnm in [l[0] for l in tree]: dtypid += 1 appstr += '#define DATA_TYP_' + dtypnm.upper() + ' TYP_BASE + ' + str(dtypid) + '\n' return appstr + '\n' def make_structs(self,dtypnm,flds,inp=True): appstr = '' d = dtypnm.lower() istr = 'datatype' if inp else 'output' appstr += 'typedef struct _' + d + '_' + istr + ' {' + '\n' for f in flds: if len(f) == 2: appstr += self.make_scalar(d,f,'header',inp) elif len(f) == 3: appstr += self.make_array(d,f,'header',inp) else: raise Exception('Unhandled field: ' + f) appstr += ' trailer_datatype trailer;' + '\n' appstr += '} ' + d + '_' + istr + ';' + '\n' return appstr + '\n' def make_dtyp_struct(self,tree): appstr = '' for l in tree: appstr += self.make_structs(l[0], l[1:],True) appstr += self.make_structs(l[0], l[1:], False) return appstr def make_fn_sigs(self,tree): dtypid = 0 appstr = '' for dtypnm in [l[0] for l in tree]: dtypid += 1 d = dtypnm.lower() appstr += 'extern void ' + d + '_print (' + d + '_datatype *' + d + ');' + '\n' appstr += 'extern void ' + d + '_data_encode (void *buff_out, void *buff_in, size_t *len_out);' + '\n' appstr += 'extern void ' + d + '_data_decode (void *buff_out, void *buff_in, size_t *len_in);' + '\n' appstr += '\n' return appstr def make_print_fn(self,l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_print (' + d + '_datatype *' + d + ') {' + '\n' appstr += ' fprintf(stderr, "' + d + '(len=%ld): ", sizeof(*' + d + '));' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d,f,'printer',True) elif len(f) == 3: appstr += self.make_array(d,f,'printer',True) else: raise Exception('Unhandled field: ' + f) appstr += ' fprintf(stderr, " %u, %u, %u, %hu, %hu\\n",' + '\n' appstr += ' ' + d + '->trailer.seq,' + '\n' appstr += ' ' + d + '->trailer.rqr,' + '\n' appstr += ' ' + d + '->trailer.oid,' + '\n' appstr += ' ' + d + '->trailer.mid,' + '\n' appstr += ' ' + d + '->trailer.crc);' + '\n' appstr += '}' + '\n\n' return appstr def make_encode_fn(self,l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_data_encode (void *buff_out, void *buff_in, size_t *len_out) {' + '\n' appstr += ' ' + d + '_datatype *p1 = (' + d + '_datatype *) buff_in;' + '\n' appstr += ' ' + d + '_output *p2 = (' + d + '_output *) buff_out;' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d,f,'encoder',True) elif len(f) == 3: appstr += self.make_array(d,f,'encoder',True) else: raise Exception('Unhandled field: ' + f) appstr += ' p2->trailer.seq = htonl(p1->trailer.seq);' + '\n' appstr += ' p2->trailer.rqr = htonl(p1->trailer.rqr);' + '\n' appstr += ' p2->trailer.oid = htonl(p1->trailer.oid);' + '\n' appstr += ' p2->trailer.mid = htons(p1->trailer.mid);' + '\n' appstr += ' p2->trailer.crc = htons(p1->trailer.crc);' + '\n' appstr += ' *len_out = ' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d,f,'sizeof',True) elif len(f) == 3: appstr += self.make_array(d,f,'sizeof',True) appstr += 'sizeof(trailer_datatype);' + '\n' appstr += '}' + '\n\n' return appstr def make_decode_fn(self,l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_data_decode (void *buff_out, void *buff_in, size_t *len_in) {' + '\n' appstr += ' ' + d + '_output *p1 = (' + d + '_output *) buff_in;' + '\n' appstr += ' ' + d + '_datatype *p2 = (' + d + '_datatype *) buff_out;' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d,f,'decoder',True) elif len(f) == 3: appstr += self.make_array(d,f,'decoder',True) else: raise Exception('Unhandled field: ' + f) appstr += ' p2->trailer.seq = ntohl(p1->trailer.seq);' + '\n' appstr += ' p2->trailer.rqr = ntohl(p1->trailer.rqr);' + '\n' appstr += ' p2->trailer.oid = ntohl(p1->trailer.oid);' + '\n' appstr += ' p2->trailer.mid = ntohs(p1->trailer.mid);' + '\n' appstr += ' p2->trailer.crc = ntohs(p1->trailer.crc);' + '\n' appstr += '}' + '\n\n' return appstr def writeheader(self, outfname, tree): try: hstr = HHEAD hstr += self.make_dtyp_enum(tree) hstr += self.make_dtyp_struct(tree) hstr += self.make_fn_sigs(tree) hstr += HTAIL with open(outfname + '.h', 'w') as f: f.write(hstr) except Exception as e: print("Error in header export: ", e) def writecodecc(self, outfname, tree): try: cstr = '#include "' + outfname + '.h"' + '\n\n' for l in tree: cstr += self.make_print_fn(l) cstr += self.make_encode_fn(l) cstr += self.make_decode_fn(l) with open(outfname + '.c', 'w') as f: f.write(cstr) except Exception as e: print("Error in codecc export: ", e) def writextras(self): try: with open('float754.c', 'w') as f: f.write(FLOATC) with open('float754.h', 'w') as f: f.write(FLOATH) except Exception as e: print("Error writing extras: ", e) if __name__ == '__main__': pt = [['Position', ['double', 'x'], ['double', 'y'], ['double', 'z']], ['Distance', ['double', 'dx'], ['double', 'dy'], ['double', 'dz']], ['ArrayTest', ['double', 'doubloons', '3']]] print('Writing test codec to codec.c/.h') CodecWriter().writeheader('codec', pt) CodecWriter().writecodecc('codec', pt) print('Creating float754.c/.h') CodecWriter().writextras()
hhead = '#ifndef GMA_HEADER_FILE\n#define GMA_HEADER_FILE\n#pragma pack(1)\n\n#include <stdio.h>\n#include <stdint.h>\n#include <string.h>\n#include <stdlib.h>\n#include <unistd.h>\n#include <inttypes.h>\n#include <arpa/inet.h>\n#include <float.h>\n\n#include "float754.h"\n\n#define id(X) (X)\n\ntypedef struct _trailer_datatype {\n uint32_t seq;\n uint32_t rqr;\n uint32_t oid;\n uint16_t mid;\n uint16_t crc;\n} trailer_datatype;\n\n' htail = '#endif\n' floath = '#ifndef _FLOAT_H_\n#define _FLOAT_H_\n\n/* Network order for double/float: 0 = Little endian, 1 = Big endian */\n/* Currently our DFDL uses littleEndian network order for float and double */\n/* This choice was based on the convention used by the shapeFile format */\n/* We are preserving bigEndian order for all integer types including uint64_t */\n#define FLOAT_BIG_ENDIAN 0\n\n#define big_end_test (1==htonl(1))\n\n#define swap_uint16(x) (((uint16_t) ((x) & 0xFF) << 8) | (((x) & 0xFF00) >> 8))\n#define swap_uint32(x) (((uint32_t)swap_uint16((x) & 0xFFFF) << 16) | swap_uint16((x) >> 16))\n#define swap_uint64(x) (((uint64_t)swap_uint32((x) & 0xFFFFFFFF) << 32) | swap_uint32((x) >> 32))\n\n#define my_htoxll(x) (big_end_test ? swap_uint64(x) : (x))\n#define my_htoxl(x) (big_end_test ? swap_uint32(x) : (x))\n#define my_htonll(x) (big_end_test ? (x) : swap_uint64(x))\n#define my_htonl(x) (big_end_test ? (x) : swap_uint32(x))\n\n/* Functions / macros called by user */\n#define htonll(x) my_htonll(x)\n#define ntohll(x) my_htonll(x)\n\nextern uint32_t htonf(float);\nextern float ntohf(uint32_t);\nextern uint64_t htond(long double);\nextern long double ntohd(uint64_t);\n\n#endif /* _FLOAT_H_ */\n' floatc = '/*\n * FLOAT.C\n * IEEE-754 uint64_t encoding/decoding, plus conversion macros into/from network (x865) byte order\n *\n * 1) Pack (double/float) encoder and decoder using: https://beej.us/guide/bgnet/examples/ieee754.c\n * a) uint64_t = 1-bit Sign (1=-), 11-bit Biased Exponent (BE), 52-bit Normalised Mantisa (NM)\n * e.g., 85.125 = 1.010101001 x 2^6 => S=0, BE=(bias=1023)+(6)=10000000101, NM=010101001000000...\n * n) uint32_t = 1-bit Sign (1=-), 8-bit Biased Exponent (BE), 23-bit Normalised Mantisa (NM)\n *\n * 2) Endian converter changes byte order between host encoded (uint_xx_t) and big-endian network format\n (unless FLOAT_BIG_ENDIAN=0, in which case it converts to a little-endian network format)\n */\n\n#include <stdio.h>\n#include <stdint.h>\n#include <inttypes.h>\n#include <arpa/inet.h>\n \n#include "float754.h"\n\n#define pack754_32(f) (pack754((f), 32, 8))\n#define pack754_64(f) (pack754((f), 64, 11))\n#define unpack754_32(i) (unpack754((i), 32, 8))\n#define unpack754_64(i) (unpack754((i), 64, 11))\n\n/* Encoding into IEEE-754 encoded double */\nuint64_t pack754(long double f, unsigned bits, unsigned expbits)\n{\n long double fnorm;\n int shift;\n long long sign, exp, significand;\n unsigned significandbits = bits - expbits - 1; // -1 for sign bit\n\n if (f == 0.0) return 0; // get this special case out of the way\n\n // check sign and begin normalization\n if (f < 0) { sign = 1; fnorm = -f; }\n else { sign = 0; fnorm = f; }\n\n // get the normalized form of f and track the exponent\n shift = 0;\n while(fnorm >= 2.0) { fnorm /= 2.0; shift++; }\n while(fnorm < 1.0) { fnorm *= 2.0; shift--; }\n fnorm = fnorm - 1.0;\n\n // calculate the binary form (non-float) of the significand data\n significand = fnorm * ((1LL<<significandbits) + 0.5f);\n\n // get the biased exponent\n exp = shift + ((1<<(expbits-1)) - 1); // shift + bias\n\n // return the final answer\n return (sign<<(bits-1)) | (exp<<(bits-expbits-1)) | significand;\n}\n\n/* Decoding from IEEE-754 encoded double */\nlong double unpack754(uint64_t i, unsigned bits, unsigned expbits)\n{\n long double result;\n long long shift;\n unsigned bias;\n unsigned significandbits = bits - expbits - 1; // -1 for sign bit\n\n if (i == 0) return 0.0;\n\n // pull the significand\n result = (i&((1LL<<significandbits)-1)); // mask\n result /= (1LL<<significandbits); // convert back to float\n result += 1.0f; // add the one back on\n\n // deal with the exponent\n bias = (1<<(expbits-1)) - 1;\n shift = ((i>>significandbits)&((1LL<<expbits)-1)) - bias;\n while(shift > 0) { result *= 2.0; shift--; }\n while(shift < 0) { result /= 2.0; shift++; }\n\n // sign it\n result *= (i>>(bits-1))&1? -1.0: 1.0;\n\n return result;\n}\n\n/* Converts host float by encoding into IEEE-754 uint32_t and putting into Network byte order */\nuint32_t htonf(float f) {\n uint32_t h = pack754_32(f);\n if (FLOAT_BIG_ENDIAN != 0) return ((my_htonl(h))); /* to Network Big-Endian */\n else return ((my_htoxl(h))); /* to Network Little-Endian */\n}\n\n/* Converts IEEE-754 uint32_t in Network byte order into host float */\nfloat ntohf(uint32_t i) {\n uint32_t h;\n \n if (FLOAT_BIG_ENDIAN != 0) h = (my_htonl(i)); /* from Network Big-Endian */\n else h = (my_htoxl(i)); /* from Network Little-Endian */\n return (unpack754_32(h));\n}\n\n/* Converts host double by encoding into IEEE-754 uint64_t and putting into Network byte order */\nuint64_t htond(long double f) {\n uint64_t h = pack754_64(f);\n if (FLOAT_BIG_ENDIAN != 0) return ((my_htonll(h))); /* to Network Big-Endian */\n else return ((my_htoxll(h))); /* to Network Little-Endian */\n}\n\n/* Converts IEEE-754 uint64_t in Network byte order into host double */\nlong double ntohd(uint64_t i) {\n uint64_t h;\n if (FLOAT_BIG_ENDIAN != 0) h = (my_htonll(i)); /* from Network Big-Endian */\n else h = (my_htoxll(i)); /* from Network Little-Endian */\n return (unpack754_64(h));\n}\n' cintyp = {'double': 'double', 'ffloat': 'float', 'int8': 'int8_t', 'uint8': 'uint8_t', 'int16': 'int16_t', 'uint16': 'uint16_t', 'int32': 'int32_t', 'uint32': 'uint32_t', 'int64': 'int64_t', 'uint64': 'uint64_t'} coutyp = {'double': 'uint64_t', 'ffloat': 'uint32_t', 'int8': 'int8_t', 'uint8': 'uint8_t', 'int16': 'int16_t', 'uint16': 'uint16_t', 'int32': 'int32_t', 'uint32': 'uint32_t', 'int64': 'int64_t', 'uint64': 'uint64_t'} fmtstr = {'double': '%lf', 'ffloat': '%f', 'int8': '%hd', 'uint8': '%hu', 'int16': '%hd', 'uint16': '%hu', 'int32': '%d', 'uint32': '%u', 'int64': '%ld', 'uint64': '%lu'} encfn = {'double': 'htond', 'ffloat': 'htonf', 'int8': 'id', 'uint8': 'id', 'int16': 'htons', 'uint16': 'htons', 'int32': 'htonl', 'uint32': 'htonl', 'int64': 'htonll', 'uint64': 'htonll'} decfn = {'double': 'ntohd', 'ffloat': 'ntohf', 'int8': 'id', 'uint8': 'id', 'int16': 'ntohs', 'uint16': 'ntohs', 'int32': 'ntohl', 'uint32': 'ntohl', 'int64': 'ntohll', 'uint64': 'ntohll'} class Codecwriter: def __init__(self, typbase=0): self.typbase = typbase def make_scalar(self, d, f, ser, inp): appstr = '' if ser == 'header': t = cintyp[f[0]] if inp else coutyp[f[0]] appstr += ' ' + t + ' ' + f[1] + ';' + '\n' elif ser == 'printer': appstr += ' ' + 'fprintf(stderr, " ' + fmtstr[f[0]] + ',", ' + d + '->' + f[1] + ');' + '\n' elif ser == 'encoder': appstr += ' ' + 'p2->' + f[1] + ' = ' + encfn[f[0]] + '(p1->' + f[1] + ');' + '\n' elif ser == 'decoder': appstr += ' ' + 'p2->' + f[1] + ' = ' + decfn[f[0]] + '(p1->' + f[1] + ');' + '\n' elif ser == 'sizeof': appstr += 'sizeof(' + cintyp[f[0]] + ') + ' else: raise exception('Unknown serializarion: ' + ser) return appstr def make_array(self, d, f, ser, inp): appstr = '' if ser == 'header': t = cintyp[f[0]] if inp else coutyp[f[0]] appstr += ' ' + t + ' ' + f[1] + '[' + str(f[2]) + '];' + '\n' elif ser == 'printer': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'fprintf(stderr, " ' + fmtstr[f[0]] + ',", ' + d + '->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'encoder': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'p2->' + f[1] + '[i] = ' + encfn[f[0]] + '(p1->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'decoder': appstr += ' for (int i=0; i<' + str(f[2]) + '; i++) {' + '\n' appstr += ' ' + 'p2->' + f[1] + '[i] = ' + decfn[f[0]] + '(p1->' + f[1] + '[i]);' + '\n' appstr += ' }' + '\n' elif ser == 'sizeof': appstr += 'sizeof(' + cintyp[f[0]] + ') * ' + str(f[2]) + ' + ' else: raise exception('Unknown serialization: ' + ser) return appstr def make_dtyp_enum(self, tree): dtypid = 0 appstr = '' appstr += '#ifndef TYP_BASE' + '\n' appstr += '#define TYP_BASE ' + str(self.typbase) + '\n' appstr += '#endif /* TYP_BASE */' + '\n' for dtypnm in [l[0] for l in tree]: dtypid += 1 appstr += '#define DATA_TYP_' + dtypnm.upper() + ' TYP_BASE + ' + str(dtypid) + '\n' return appstr + '\n' def make_structs(self, dtypnm, flds, inp=True): appstr = '' d = dtypnm.lower() istr = 'datatype' if inp else 'output' appstr += 'typedef struct _' + d + '_' + istr + ' {' + '\n' for f in flds: if len(f) == 2: appstr += self.make_scalar(d, f, 'header', inp) elif len(f) == 3: appstr += self.make_array(d, f, 'header', inp) else: raise exception('Unhandled field: ' + f) appstr += ' trailer_datatype trailer;' + '\n' appstr += '} ' + d + '_' + istr + ';' + '\n' return appstr + '\n' def make_dtyp_struct(self, tree): appstr = '' for l in tree: appstr += self.make_structs(l[0], l[1:], True) appstr += self.make_structs(l[0], l[1:], False) return appstr def make_fn_sigs(self, tree): dtypid = 0 appstr = '' for dtypnm in [l[0] for l in tree]: dtypid += 1 d = dtypnm.lower() appstr += 'extern void ' + d + '_print (' + d + '_datatype *' + d + ');' + '\n' appstr += 'extern void ' + d + '_data_encode (void *buff_out, void *buff_in, size_t *len_out);' + '\n' appstr += 'extern void ' + d + '_data_decode (void *buff_out, void *buff_in, size_t *len_in);' + '\n' appstr += '\n' return appstr def make_print_fn(self, l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_print (' + d + '_datatype *' + d + ') {' + '\n' appstr += ' fprintf(stderr, "' + d + '(len=%ld): ", sizeof(*' + d + '));' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d, f, 'printer', True) elif len(f) == 3: appstr += self.make_array(d, f, 'printer', True) else: raise exception('Unhandled field: ' + f) appstr += ' fprintf(stderr, " %u, %u, %u, %hu, %hu\\n",' + '\n' appstr += ' ' + d + '->trailer.seq,' + '\n' appstr += ' ' + d + '->trailer.rqr,' + '\n' appstr += ' ' + d + '->trailer.oid,' + '\n' appstr += ' ' + d + '->trailer.mid,' + '\n' appstr += ' ' + d + '->trailer.crc);' + '\n' appstr += '}' + '\n\n' return appstr def make_encode_fn(self, l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_data_encode (void *buff_out, void *buff_in, size_t *len_out) {' + '\n' appstr += ' ' + d + '_datatype *p1 = (' + d + '_datatype *) buff_in;' + '\n' appstr += ' ' + d + '_output *p2 = (' + d + '_output *) buff_out;' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d, f, 'encoder', True) elif len(f) == 3: appstr += self.make_array(d, f, 'encoder', True) else: raise exception('Unhandled field: ' + f) appstr += ' p2->trailer.seq = htonl(p1->trailer.seq);' + '\n' appstr += ' p2->trailer.rqr = htonl(p1->trailer.rqr);' + '\n' appstr += ' p2->trailer.oid = htonl(p1->trailer.oid);' + '\n' appstr += ' p2->trailer.mid = htons(p1->trailer.mid);' + '\n' appstr += ' p2->trailer.crc = htons(p1->trailer.crc);' + '\n' appstr += ' *len_out = ' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d, f, 'sizeof', True) elif len(f) == 3: appstr += self.make_array(d, f, 'sizeof', True) appstr += 'sizeof(trailer_datatype);' + '\n' appstr += '}' + '\n\n' return appstr def make_decode_fn(self, l): appstr = '' d = l[0].lower() appstr += 'void ' + d + '_data_decode (void *buff_out, void *buff_in, size_t *len_in) {' + '\n' appstr += ' ' + d + '_output *p1 = (' + d + '_output *) buff_in;' + '\n' appstr += ' ' + d + '_datatype *p2 = (' + d + '_datatype *) buff_out;' + '\n' for f in l[1:]: if len(f) == 2: appstr += self.make_scalar(d, f, 'decoder', True) elif len(f) == 3: appstr += self.make_array(d, f, 'decoder', True) else: raise exception('Unhandled field: ' + f) appstr += ' p2->trailer.seq = ntohl(p1->trailer.seq);' + '\n' appstr += ' p2->trailer.rqr = ntohl(p1->trailer.rqr);' + '\n' appstr += ' p2->trailer.oid = ntohl(p1->trailer.oid);' + '\n' appstr += ' p2->trailer.mid = ntohs(p1->trailer.mid);' + '\n' appstr += ' p2->trailer.crc = ntohs(p1->trailer.crc);' + '\n' appstr += '}' + '\n\n' return appstr def writeheader(self, outfname, tree): try: hstr = HHEAD hstr += self.make_dtyp_enum(tree) hstr += self.make_dtyp_struct(tree) hstr += self.make_fn_sigs(tree) hstr += HTAIL with open(outfname + '.h', 'w') as f: f.write(hstr) except Exception as e: print('Error in header export: ', e) def writecodecc(self, outfname, tree): try: cstr = '#include "' + outfname + '.h"' + '\n\n' for l in tree: cstr += self.make_print_fn(l) cstr += self.make_encode_fn(l) cstr += self.make_decode_fn(l) with open(outfname + '.c', 'w') as f: f.write(cstr) except Exception as e: print('Error in codecc export: ', e) def writextras(self): try: with open('float754.c', 'w') as f: f.write(FLOATC) with open('float754.h', 'w') as f: f.write(FLOATH) except Exception as e: print('Error writing extras: ', e) if __name__ == '__main__': pt = [['Position', ['double', 'x'], ['double', 'y'], ['double', 'z']], ['Distance', ['double', 'dx'], ['double', 'dy'], ['double', 'dz']], ['ArrayTest', ['double', 'doubloons', '3']]] print('Writing test codec to codec.c/.h') codec_writer().writeheader('codec', pt) codec_writer().writecodecc('codec', pt) print('Creating float754.c/.h') codec_writer().writextras()
#!/usr/bin/env python def add_multiply(x, y, z=1): return (x + y) * z add_multiply(1, 2) # x=1, y=2, z=1
def add_multiply(x, y, z=1): return (x + y) * z add_multiply(1, 2)
''' Write a function called my_func that takes two arguments---a list and a substring---and returns a new list, containing only words that start with the chosen substring. Make sure that your function is not case sensitive: meaning that if you want to filter by words that start with 'a', both 'apple' and 'Apple' would be included. If your function is working properly, this code: my_list = ['apple', 'banana', 'cranberry', 'Apple', 'watermelon', 'avocado'] only_a = my_func(my_list, 'a') only_c = my_func(my_list, 'c') print(only_a) print(only_c) should output: ['apple', 'Apple', 'avocado'] ['cranberry'] ''' def my_func(some_list, sub_string): starting_with = [] for word in some_list: if word.lower().startswith(sub_string): starting_with.append(word) return starting_with
""" Write a function called my_func that takes two arguments---a list and a substring---and returns a new list, containing only words that start with the chosen substring. Make sure that your function is not case sensitive: meaning that if you want to filter by words that start with 'a', both 'apple' and 'Apple' would be included. If your function is working properly, this code: my_list = ['apple', 'banana', 'cranberry', 'Apple', 'watermelon', 'avocado'] only_a = my_func(my_list, 'a') only_c = my_func(my_list, 'c') print(only_a) print(only_c) should output: ['apple', 'Apple', 'avocado'] ['cranberry'] """ def my_func(some_list, sub_string): starting_with = [] for word in some_list: if word.lower().startswith(sub_string): starting_with.append(word) return starting_with
font = CurrentFont() for glyph in font.selection: glyph = font[name] glyph.prepareUndo() glyph.rotate(-5) glyph.skew(5) glyph.performUndo()
font = current_font() for glyph in font.selection: glyph = font[name] glyph.prepareUndo() glyph.rotate(-5) glyph.skew(5) glyph.performUndo()
load("//elm/private:test.bzl", _elm_test = "elm_test") elm_test = _elm_test def _elm_make_impl(ctx): elm_compiler = ctx.toolchains["@rules_elm//elm:toolchain"].elm output_file = ctx.actions.declare_file(ctx.attr.output) env = {} inputs = [elm_compiler, ctx.file.elm_json] + ctx.files.srcs if ctx.file.elm_home != None: env["ELM_HOME_ZIP"] = ctx.file.elm_home.path inputs.append(ctx.file.elm_home) arguments = [ ctx.file.elm_json.dirname, "make", ctx.attr.main, "--output", output_file.path, ] if ctx.attr.optimize: arguments.append("--optimize") ctx.actions.run( executable = ctx.executable._elm_wrapper, arguments = arguments, inputs = inputs, outputs = [output_file], env = env, ) return [DefaultInfo(files = depset([output_file]))] elm_make = rule( _elm_make_impl, attrs = { "srcs": attr.label_list(allow_files = True), "elm_json": attr.label( mandatory = True, allow_single_file = True, ), "main": attr.string( default = "src/Main.elm", ), "output": attr.string( default = "index.html", ), "optimize": attr.bool(), "elm_home": attr.label( allow_single_file = True, ), "_elm_wrapper": attr.label( executable = True, cfg = "host", default = Label("@rules_elm//elm/private:elm_wrapper"), ), }, toolchains = [ "@rules_elm//elm:toolchain", ] ) def _elm_dependencies_impl(ctx): elm_compiler = ctx.toolchains["@rules_elm//elm:toolchain"].elm elm_home = ctx.actions.declare_directory(".elm") output = ctx.actions.declare_file(".elm.zip") ctx.actions.run( executable = ctx.executable._elm_wrapper, arguments = [ctx.file.elm_json.dirname], inputs = [elm_compiler, ctx.file.elm_json], outputs = [output, elm_home], env = {"ELM_HOME": elm_home.path}, ) return [DefaultInfo(files = depset([output]))] elm_dependencies = rule( _elm_dependencies_impl, attrs = { "elm_json": attr.label( mandatory = True, allow_single_file = True, ), "_elm_wrapper": attr.label( executable = True, cfg = "host", default = Label("@rules_elm//elm/private:elm_dependencies"), ), }, toolchains = [ "@rules_elm//elm:toolchain", ] )
load('//elm/private:test.bzl', _elm_test='elm_test') elm_test = _elm_test def _elm_make_impl(ctx): elm_compiler = ctx.toolchains['@rules_elm//elm:toolchain'].elm output_file = ctx.actions.declare_file(ctx.attr.output) env = {} inputs = [elm_compiler, ctx.file.elm_json] + ctx.files.srcs if ctx.file.elm_home != None: env['ELM_HOME_ZIP'] = ctx.file.elm_home.path inputs.append(ctx.file.elm_home) arguments = [ctx.file.elm_json.dirname, 'make', ctx.attr.main, '--output', output_file.path] if ctx.attr.optimize: arguments.append('--optimize') ctx.actions.run(executable=ctx.executable._elm_wrapper, arguments=arguments, inputs=inputs, outputs=[output_file], env=env) return [default_info(files=depset([output_file]))] elm_make = rule(_elm_make_impl, attrs={'srcs': attr.label_list(allow_files=True), 'elm_json': attr.label(mandatory=True, allow_single_file=True), 'main': attr.string(default='src/Main.elm'), 'output': attr.string(default='index.html'), 'optimize': attr.bool(), 'elm_home': attr.label(allow_single_file=True), '_elm_wrapper': attr.label(executable=True, cfg='host', default=label('@rules_elm//elm/private:elm_wrapper'))}, toolchains=['@rules_elm//elm:toolchain']) def _elm_dependencies_impl(ctx): elm_compiler = ctx.toolchains['@rules_elm//elm:toolchain'].elm elm_home = ctx.actions.declare_directory('.elm') output = ctx.actions.declare_file('.elm.zip') ctx.actions.run(executable=ctx.executable._elm_wrapper, arguments=[ctx.file.elm_json.dirname], inputs=[elm_compiler, ctx.file.elm_json], outputs=[output, elm_home], env={'ELM_HOME': elm_home.path}) return [default_info(files=depset([output]))] elm_dependencies = rule(_elm_dependencies_impl, attrs={'elm_json': attr.label(mandatory=True, allow_single_file=True), '_elm_wrapper': attr.label(executable=True, cfg='host', default=label('@rules_elm//elm/private:elm_dependencies'))}, toolchains=['@rules_elm//elm:toolchain'])
x = [2,3,5,6,8] y = [1,6,22,33,61] x_2 = list() x_3 = list() x_4 = list() x_carpi_y = list() x_2_carpi_y = list() for i in x: x_2.append(int(pow(i,2))) x_3.append(int(pow(i,3))) x_4.append(int(pow(i,4))) print("xi : ", x, sum(x)) print("xi^2 : ", x_2, sum(x_2)) print("xi^3 : ", x_3, sum(x_3)) print("xi^4 : ", x_4, sum(x_4)) for i, j, z in zip(x, y, x_2): x_carpi_y.append(i*j) x_2_carpi_y.append(z*j) print() print("yi : ", y, sum(y)) print("xi.yi : ", x_carpi_y, sum(x_carpi_y)) print("xi^2.yi : ", x_2_carpi_y, sum(x_2_carpi_y))
x = [2, 3, 5, 6, 8] y = [1, 6, 22, 33, 61] x_2 = list() x_3 = list() x_4 = list() x_carpi_y = list() x_2_carpi_y = list() for i in x: x_2.append(int(pow(i, 2))) x_3.append(int(pow(i, 3))) x_4.append(int(pow(i, 4))) print('xi : ', x, sum(x)) print('xi^2 : ', x_2, sum(x_2)) print('xi^3 : ', x_3, sum(x_3)) print('xi^4 : ', x_4, sum(x_4)) for (i, j, z) in zip(x, y, x_2): x_carpi_y.append(i * j) x_2_carpi_y.append(z * j) print() print('yi : ', y, sum(y)) print('xi.yi : ', x_carpi_y, sum(x_carpi_y)) print('xi^2.yi : ', x_2_carpi_y, sum(x_2_carpi_y))