source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(ins):
output = _pload(ins.quad[2], 2)
if ins.quad[1][0] != '$':
output.append('call __LOADSTR')
REQUIRES.add('loadstr.asm')
output.append('push hl')
return output
|
ploadstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n output = _pload(ins.quad[2], 2)\n if ins.quad[1][0] != '$':\n output.append('call __LOADSTR')\n REQUIRES.add('loadstr.asm')\n output.append('push hl')\n return output\n",
"role": "user"
},
{
"content": "ploadstr",
"role": "assistant"
}
] |
def x(ins):
output = _pload(ins.quad[2], 2)
if ins.quad[1][0] != '$':
output.append('call __LOADSTR')
REQUIRES.add('loadstr.asm')
return output
|
fploadstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n output = _pload(ins.quad[2], 2)\n if ins.quad[1][0] != '$':\n output.append('call __LOADSTR')\n REQUIRES.add('loadstr.asm')\n return output\n",
"role": "user"
},
{
"content": "fploadstr",
"role": "assistant"
}
] |
def x(ins):
value = ins.quad[2]
offset = ins.quad[1]
indirect = offset[0] == '*'
size = 0
if indirect:
offset = offset[1:]
size = 1
I = int(offset)
if I >= 0:
I += 4
if not indirect:
I += 1
if is_int(value):
output = []
else:
output = _8bit_oper(value)
ix_changed = not -128 + size <= I <= 127 - size
if ix_changed:
output.append('push ix')
output.append('pop hl')
output.append('ld de, %i' % I)
output.append('add hl, de')
if indirect:
if ix_changed:
output.append('ld c, (hl)')
output.append('inc hl')
output.append('ld h, (hl)')
output.append('ld l, c')
else:
output.append('ld h, (ix%+i)' % (I + 1))
output.append('ld l, (ix%+i)' % I)
if is_int(value):
output.append('ld (hl), %i' % int8(value))
else:
output.append('ld (hl), a')
return output
if ix_changed:
if is_int(value):
output.append('ld (hl), %i' % int8(value))
else:
output.append('ld (hl), a')
return output
if is_int(value):
output.append('ld (ix%+i), %i' % (I, int8(value)))
else:
output.append('ld (ix%+i), a' % I)
return output
|
pstore8
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n value = ins.quad[2]\n offset = ins.quad[1]\n indirect = offset[0] == '*'\n size = 0\n if indirect:\n offset = offset[1:]\n size = 1\n I = int(offset)\n if I >= 0:\n I += 4\n if not indirect:\n I += 1\n if is_int(value):\n output = []\n else:\n output = _8bit_oper(value)\n ix_changed = not -128 + size <= I <= 127 - size\n if ix_changed:\n output.append('push ix')\n output.append('pop hl')\n output.append('ld de, %i' % I)\n output.append('add hl, de')\n if indirect:\n if ix_changed:\n output.append('ld c, (hl)')\n output.append('inc hl')\n output.append('ld h, (hl)')\n output.append('ld l, c')\n else:\n output.append('ld h, (ix%+i)' % (I + 1))\n output.append('ld l, (ix%+i)' % I)\n if is_int(value):\n output.append('ld (hl), %i' % int8(value))\n else:\n output.append('ld (hl), a')\n return output\n if ix_changed:\n if is_int(value):\n output.append('ld (hl), %i' % int8(value))\n else:\n output.append('ld (hl), a')\n return output\n if is_int(value):\n output.append('ld (ix%+i), %i' % (I, int8(value)))\n else:\n output.append('ld (ix%+i), a' % I)\n return output\n",
"role": "user"
},
{
"content": "pstore8",
"role": "assistant"
}
] |
def x(ins):
value = ins.quad[2]
offset = ins.quad[1]
indirect = offset[0] == '*'
size = 1
if indirect:
offset = offset[1:]
I = int(offset)
if I >= 0:
I += 4
if is_int(value):
output = []
else:
output = _16bit_oper(value)
ix_changed = not -128 + size <= I <= 127 - size
if indirect:
if is_int(value):
output.append('ld hl, %i' % int16(value))
output.append('ld bc, %i' % I)
output.append('call __PISTORE16')
REQUIRES.add('istore16.asm')
return output
if ix_changed:
if not is_int(value):
output.append('ex de, hl')
output.append('push ix')
output.append('pop hl')
output.append('ld bc, %i' % I)
output.append('add hl, bc')
if is_int(value):
v = int16(value)
output.append('ld (hl), %i' % (v & 255))
output.append('inc hl')
output.append('ld (hl), %i' % (v >> 8))
return output
else:
output.append('ld (hl), e')
output.append('inc hl')
output.append('ld (hl), d')
return output
if is_int(value):
v = int16(value)
output.append('ld (ix%+i), %i' % (I, v & 255))
output.append('ld (ix%+i), %i' % (I + 1, v >> 8))
else:
output.append('ld (ix%+i), l' % I)
output.append('ld (ix%+i), h' % (I + 1))
return output
|
pstore16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n value = ins.quad[2]\n offset = ins.quad[1]\n indirect = offset[0] == '*'\n size = 1\n if indirect:\n offset = offset[1:]\n I = int(offset)\n if I >= 0:\n I += 4\n if is_int(value):\n output = []\n else:\n output = _16bit_oper(value)\n ix_changed = not -128 + size <= I <= 127 - size\n if indirect:\n if is_int(value):\n output.append('ld hl, %i' % int16(value))\n output.append('ld bc, %i' % I)\n output.append('call __PISTORE16')\n REQUIRES.add('istore16.asm')\n return output\n if ix_changed:\n if not is_int(value):\n output.append('ex de, hl')\n output.append('push ix')\n output.append('pop hl')\n output.append('ld bc, %i' % I)\n output.append('add hl, bc')\n if is_int(value):\n v = int16(value)\n output.append('ld (hl), %i' % (v & 255))\n output.append('inc hl')\n output.append('ld (hl), %i' % (v >> 8))\n return output\n else:\n output.append('ld (hl), e')\n output.append('inc hl')\n output.append('ld (hl), d')\n return output\n if is_int(value):\n v = int16(value)\n output.append('ld (ix%+i), %i' % (I, v & 255))\n output.append('ld (ix%+i), %i' % (I + 1, v >> 8))\n else:\n output.append('ld (ix%+i), l' % I)\n output.append('ld (ix%+i), h' % (I + 1))\n return output\n",
"role": "user"
},
{
"content": "pstore16",
"role": "assistant"
}
] |
def x(ins):
value = ins.quad[2]
offset = ins.quad[1]
indirect = offset[0] == '*'
if indirect:
offset = offset[1:]
I = int(offset)
if I >= 0:
I += 4
output = _32bit_oper(value)
if indirect:
output.append('ld bc, %i' % I)
output.append('call __PISTORE32')
REQUIRES.add('pistore32.asm')
return output
output.append('ld bc, %i' % I)
output.append('call __PSTORE32')
REQUIRES.add('pstore32.asm')
return output
|
pstore32
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n value = ins.quad[2]\n offset = ins.quad[1]\n indirect = offset[0] == '*'\n if indirect:\n offset = offset[1:]\n I = int(offset)\n if I >= 0:\n I += 4\n output = _32bit_oper(value)\n if indirect:\n output.append('ld bc, %i' % I)\n output.append('call __PISTORE32')\n REQUIRES.add('pistore32.asm')\n return output\n output.append('ld bc, %i' % I)\n output.append('call __PSTORE32')\n REQUIRES.add('pstore32.asm')\n return output\n",
"role": "user"
},
{
"content": "pstore32",
"role": "assistant"
}
] |
def x(ins):
value = ins.quad[2]
offset = ins.quad[1]
indirect = offset[0] == '*'
if indirect:
offset = offset[1:]
I = int(offset)
if I >= 0:
I += 4
output = _f16_oper(value)
if indirect:
output.append('ld bc, %i' % I)
output.append('call __PISTORE32')
REQUIRES.add('pistore32.asm')
return output
output.append('ld bc, %i' % I)
output.append('call __PSTORE32')
REQUIRES.add('pstore32.asm')
return output
|
pstoref16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n value = ins.quad[2]\n offset = ins.quad[1]\n indirect = offset[0] == '*'\n if indirect:\n offset = offset[1:]\n I = int(offset)\n if I >= 0:\n I += 4\n output = _f16_oper(value)\n if indirect:\n output.append('ld bc, %i' % I)\n output.append('call __PISTORE32')\n REQUIRES.add('pistore32.asm')\n return output\n output.append('ld bc, %i' % I)\n output.append('call __PSTORE32')\n REQUIRES.add('pstore32.asm')\n return output\n",
"role": "user"
},
{
"content": "pstoref16",
"role": "assistant"
}
] |
def x(ins):
value = ins.quad[2]
offset = ins.quad[1]
indirect = offset[0] == '*'
if indirect:
offset = offset[1:]
I = int(offset)
if I >= 0:
I += 4
output = _float_oper(value)
if indirect:
output.append('ld hl, %i' % I)
output.append('call __PISTOREF')
REQUIRES.add('storef.asm')
return output
output.append('ld hl, %i' % I)
output.append('call __PSTOREF')
REQUIRES.add('pstoref.asm')
return output
|
pstoref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n value = ins.quad[2]\n offset = ins.quad[1]\n indirect = offset[0] == '*'\n if indirect:\n offset = offset[1:]\n I = int(offset)\n if I >= 0:\n I += 4\n output = _float_oper(value)\n if indirect:\n output.append('ld hl, %i' % I)\n output.append('call __PISTOREF')\n REQUIRES.add('storef.asm')\n return output\n output.append('ld hl, %i' % I)\n output.append('call __PSTOREF')\n REQUIRES.add('pstoref.asm')\n return output\n",
"role": "user"
},
{
"content": "pstoref",
"role": "assistant"
}
] |
def x(ins):
output = []
temporal = False
value = ins.quad[2]
if value[0] == '*':
value = value[1:]
indirect = True
else:
indirect = False
if value[0] == '_':
output.append('ld de, (%s)' % value)
if indirect:
output.append('call __LOAD_DE_DE')
REQUIRES.add('lddede.asm')
elif value[0] == '#':
output.append('ld de, %s' % value[1:])
else:
output.append('pop de')
temporal = value[0] != '$'
if indirect:
output.append('call __LOAD_DE_DE')
REQUIRES.add('lddede.asm')
value = ins.quad[1]
if value[0] == '*':
value = value[1:]
indirect = True
else:
indirect = False
I = int(value)
if I >= 0:
I += 4
output.append('ld bc, %i' % I)
if not temporal:
if indirect:
output.append('call __PISTORE_STR')
REQUIRES.add('storestr.asm')
else:
output.append('call __PSTORE_STR')
REQUIRES.add('pstorestr.asm')
elif indirect:
output.append('call __PISTORE_STR2')
REQUIRES.add('storestr2.asm')
else:
output.append('call __PSTORE_STR2')
REQUIRES.add('pstorestr2.asm')
return output
|
pstorestr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n output = []\n temporal = False\n value = ins.quad[2]\n if value[0] == '*':\n value = value[1:]\n indirect = True\n else:\n indirect = False\n if value[0] == '_':\n output.append('ld de, (%s)' % value)\n if indirect:\n output.append('call __LOAD_DE_DE')\n REQUIRES.add('lddede.asm')\n elif value[0] == '#':\n output.append('ld de, %s' % value[1:])\n else:\n output.append('pop de')\n temporal = value[0] != '$'\n if indirect:\n output.append('call __LOAD_DE_DE')\n REQUIRES.add('lddede.asm')\n value = ins.quad[1]\n if value[0] == '*':\n value = value[1:]\n indirect = True\n else:\n indirect = False\n I = int(value)\n if I >= 0:\n I += 4\n output.append('ld bc, %i' % I)\n if not temporal:\n if indirect:\n output.append('call __PISTORE_STR')\n REQUIRES.add('storestr.asm')\n else:\n output.append('call __PSTORE_STR')\n REQUIRES.add('pstorestr.asm')\n elif indirect:\n output.append('call __PISTORE_STR2')\n REQUIRES.add('storestr2.asm')\n else:\n output.append('call __PSTORE_STR2')\n REQUIRES.add('pstorestr2.asm')\n return output\n",
"role": "user"
},
{
"content": "pstorestr",
"role": "assistant"
}
] |
def x(cls, lineno, operator, operand, func=None, type_=None):
assert type_ is None or isinstance(type_, SymbolTYPE)
if func is not None:
if is_number(operand):
return SymbolNUMBER(func(operand.value), lineno=lineno)
elif is_string(operand):
return SymbolSTRING(func(operand.text), lineno=lineno)
if type_ is None:
type_ = operand.type_
if operator == 'MINUS':
if not type_.is_signed:
type_ = type_.to_signed()
operand = SymbolTYPECAST.make_node(type_, operand, lineno)
elif operator == 'NOT':
type_ = TYPE.ubyte
return cls(operator, operand, lineno, type_)
|
make_node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, lineno, operator, operand, func=None, type_=None):\n assert type_ is None or isinstance(type_, SymbolTYPE)\n if func is not None:\n if is_number(operand):\n return SymbolNUMBER(func(operand.value), lineno=lineno)\n elif is_string(operand):\n return SymbolSTRING(func(operand.text), lineno=lineno)\n if type_ is None:\n type_ = operand.type_\n if operator == 'MINUS':\n if not type_.is_signed:\n type_ = type_.to_signed()\n operand = SymbolTYPECAST.make_node(type_, operand, lineno)\n elif operator == 'NOT':\n type_ = TYPE.ubyte\n return cls(operator, operand, lineno, type_)\n",
"role": "user"
},
{
"content": "make_node",
"role": "assistant"
}
] |
def x(cls, type_):
if type_ in cls.unsigned:
return {TYPE.ubyte: TYPE.byte_, TYPE.uinteger: TYPE.integer, TYPE.
ulong: TYPE.long_}[type_]
if type_ in cls.decimals or type_ in cls.signed:
return type_
return cls.unknown
|
to_signed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, type_):\n if type_ in cls.unsigned:\n return {TYPE.ubyte: TYPE.byte_, TYPE.uinteger: TYPE.integer, TYPE.\n ulong: TYPE.long_}[type_]\n if type_ in cls.decimals or type_ in cls.signed:\n return type_\n return cls.unknown\n",
"role": "user"
},
{
"content": "to_signed",
"role": "assistant"
}
] |
def x(cls, typename):
NAME_TYPES = {cls.TYPE_NAMES[x]: x for x in cls.TYPE_NAMES}
return NAME_TYPES.get(typename, None)
|
to_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, typename):\n NAME_TYPES = {cls.TYPE_NAMES[x]: x for x in cls.TYPE_NAMES}\n return NAME_TYPES.get(typename, None)\n",
"role": "user"
},
{
"content": "to_type",
"role": "assistant"
}
] |
def x(op):
op = float(op)
negative = op < 0
if negative:
op = -op
DE = int(op)
HL = int((op - DE) * 2 ** 16) & 65535
DE &= 65535
if negative:
DE ^= 65535
HL ^= 65535
DEHL = (DE << 16 | HL) + 1
HL = DEHL & 65535
DE = DEHL >> 16 & 65535
return DE, HL
|
f16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op):\n op = float(op)\n negative = op < 0\n if negative:\n op = -op\n DE = int(op)\n HL = int((op - DE) * 2 ** 16) & 65535\n DE &= 65535\n if negative:\n DE ^= 65535\n HL ^= 65535\n DEHL = (DE << 16 | HL) + 1\n HL = DEHL & 65535\n DE = DEHL >> 16 & 65535\n return DE, HL\n",
"role": "user"
},
{
"content": "f16",
"role": "assistant"
}
] |
def x(op1, op2=None, useBC=False, reversed=False):
output = []
if op1 is not None:
op1 = str(op1)
if op2 is not None:
op2 = str(op2)
op = op2 if op2 is not None else op1
float1 = False
indirect = op[0] == '*'
if indirect:
op = op[1:]
immediate = op[0] == '#'
if immediate:
op = op[1:]
hl = 'hl' if not useBC and not indirect else 'bc'
if is_float(op):
float1 = True
op = float(op)
if indirect:
op = int(op) & 65535
if immediate:
output.append('ld hl, %i' % op)
else:
output.append('ld hl, (%i)' % op)
output.append('call __ILOAD32')
REQUIRES.add('iload32.asm')
if preserveHL:
output.append('ld b, h')
output.append('ld c, l')
else:
DE, HL = f16(op)
output.append('ld de, %i' % DE)
output.append('ld %s, %i' % (hl, HL))
else:
if op[0] == '_':
if immediate:
output.append('ld %s, %s' % (hl, op))
else:
output.append('ld %s, (%s)' % (hl, op))
else:
output.append('pop %s' % hl)
if indirect:
output.append('call __ILOAD32')
REQUIRES.add('iload32.asm')
if preserveHL:
output.append('ld b, h')
output.append('ld c, l')
elif op[0] == '_':
output.append('ld de, (%s + 2)' % op)
else:
output.append('pop de')
if op2 is not None:
op = op1
indirect = op[0] == '*'
if indirect:
op = op[1:]
immediate = op[0] == '#'
if immediate:
op = op[1:]
if is_float(op):
op = float(op)
if indirect:
op = int(op)
output.append('exx')
if immediate:
output.append('ld hl, %i' % (op & 65535))
else:
output.append('ld hl, (%i)' % (op & 65535))
output.append('call __ILOAD32')
output.append('push de')
output.append('push hl')
output.append('exx')
REQUIRES.add('iload32.asm')
else:
DE, HL = f16(op)
output.append('ld bc, %i' % DE)
output.append('push bc')
output.append('ld bc, %i' % HL)
output.append('push bc')
elif indirect:
output.append('exx')
if op[0] == '_':
if immediate:
output.append('ld hl, %s' % op)
else:
output.append('ld hl, (%s)' % op)
else:
output.append('pop hl')
output.append('call __ILOAD32')
output.append('push de')
output.append('push hl')
output.append('exx')
REQUIRES.add('iload32.asm')
elif op[0] == '_':
if float1 or op1[0] == '_':
tmp = output
output = []
output.append('ld hl, (%s + 2)' % op)
output.append('push hl')
output.append('ld hl, (%s)' % op)
output.append('push hl')
output.extend(tmp)
else:
output.append('ld bc, (%s + 2)' % op)
output.append('push bc')
output.append('ld bc, (%s)' % op)
output.append('push bc')
else:
pass
if op2 is not None and reversed:
output.append('call __SWAP32')
REQUIRES.add('swap32.asm')
return output
|
f16_oper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op1, op2=None, useBC=False, reversed=False):\n output = []\n if op1 is not None:\n op1 = str(op1)\n if op2 is not None:\n op2 = str(op2)\n op = op2 if op2 is not None else op1\n float1 = False\n indirect = op[0] == '*'\n if indirect:\n op = op[1:]\n immediate = op[0] == '#'\n if immediate:\n op = op[1:]\n hl = 'hl' if not useBC and not indirect else 'bc'\n if is_float(op):\n float1 = True\n op = float(op)\n if indirect:\n op = int(op) & 65535\n if immediate:\n output.append('ld hl, %i' % op)\n else:\n output.append('ld hl, (%i)' % op)\n output.append('call __ILOAD32')\n REQUIRES.add('iload32.asm')\n if preserveHL:\n output.append('ld b, h')\n output.append('ld c, l')\n else:\n DE, HL = f16(op)\n output.append('ld de, %i' % DE)\n output.append('ld %s, %i' % (hl, HL))\n else:\n if op[0] == '_':\n if immediate:\n output.append('ld %s, %s' % (hl, op))\n else:\n output.append('ld %s, (%s)' % (hl, op))\n else:\n output.append('pop %s' % hl)\n if indirect:\n output.append('call __ILOAD32')\n REQUIRES.add('iload32.asm')\n if preserveHL:\n output.append('ld b, h')\n output.append('ld c, l')\n elif op[0] == '_':\n output.append('ld de, (%s + 2)' % op)\n else:\n output.append('pop de')\n if op2 is not None:\n op = op1\n indirect = op[0] == '*'\n if indirect:\n op = op[1:]\n immediate = op[0] == '#'\n if immediate:\n op = op[1:]\n if is_float(op):\n op = float(op)\n if indirect:\n op = int(op)\n output.append('exx')\n if immediate:\n output.append('ld hl, %i' % (op & 65535))\n else:\n output.append('ld hl, (%i)' % (op & 65535))\n output.append('call __ILOAD32')\n output.append('push de')\n output.append('push hl')\n output.append('exx')\n REQUIRES.add('iload32.asm')\n else:\n DE, HL = f16(op)\n output.append('ld bc, %i' % DE)\n output.append('push bc')\n output.append('ld bc, %i' % HL)\n output.append('push bc')\n elif indirect:\n output.append('exx')\n if op[0] == '_':\n if immediate:\n output.append('ld hl, %s' % op)\n else:\n output.append('ld hl, (%s)' % op)\n else:\n output.append('pop hl')\n output.append('call __ILOAD32')\n output.append('push de')\n output.append('push hl')\n output.append('exx')\n REQUIRES.add('iload32.asm')\n elif op[0] == '_':\n if float1 or op1[0] == '_':\n tmp = output\n output = []\n output.append('ld hl, (%s + 2)' % op)\n output.append('push hl')\n output.append('ld hl, (%s)' % op)\n output.append('push hl')\n output.extend(tmp)\n else:\n output.append('ld bc, (%s + 2)' % op)\n output.append('push bc')\n output.append('ld bc, (%s)' % op)\n output.append('push bc')\n else:\n pass\n if op2 is not None and reversed:\n output.append('call __SWAP32')\n REQUIRES.add('swap32.asm')\n return output\n",
"role": "user"
},
{
"content": "f16_oper",
"role": "assistant"
}
] |
def x(ins):
ins.quad = [x for x in ins.quad]
for i in range(2, len(ins.quad)):
if is_float(ins.quad[i]):
de, hl = f16(ins.quad[i])
ins.quad[i] = str(de << 16 | hl)
ins.quad = tuple(ins.quad)
return ins
|
f16_to_32bit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n ins.quad = [x for x in ins.quad]\n for i in range(2, len(ins.quad)):\n if is_float(ins.quad[i]):\n de, hl = f16(ins.quad[i])\n ins.quad[i] = str(de << 16 | hl)\n ins.quad = tuple(ins.quad)\n return ins\n",
"role": "user"
},
{
"content": "f16_to_32bit",
"role": "assistant"
}
] |
def x(ins):
op1, op2 = tuple(ins.quad[2:])
if _f_ops(op1, op2) is not None:
op1, op2 = _f_ops(op1, op2)
if op2 == 1:
output = _f16_oper(op1)
output.append('push de')
output.append('push hl')
return output
if op2 == -1:
return _neg32(ins)
output = _f16_oper(op1)
if op2 == 0:
output.append('ld hl, 0')
output.append('ld e, h')
output.append('ld d, l')
output.append('push de')
output.append('push hl')
return output
output = _f16_oper(op1, str(op2))
output.append('call __MULF16')
output.append('push de')
output.append('push hl')
REQUIRES.add('mulf16.asm')
return output
|
mulf16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n op1, op2 = tuple(ins.quad[2:])\n if _f_ops(op1, op2) is not None:\n op1, op2 = _f_ops(op1, op2)\n if op2 == 1:\n output = _f16_oper(op1)\n output.append('push de')\n output.append('push hl')\n return output\n if op2 == -1:\n return _neg32(ins)\n output = _f16_oper(op1)\n if op2 == 0:\n output.append('ld hl, 0')\n output.append('ld e, h')\n output.append('ld d, l')\n output.append('push de')\n output.append('push hl')\n return output\n output = _f16_oper(op1, str(op2))\n output.append('call __MULF16')\n output.append('push de')\n output.append('push hl')\n REQUIRES.add('mulf16.asm')\n return output\n",
"role": "user"
},
{
"content": "mulf16",
"role": "assistant"
}
] |
def x(ins):
op1, op2 = tuple(ins.quad[2:])
if is_float(op2):
if float(op2) == 1:
output = _f16_oper(op1)
output.append('push de')
output.append('push hl')
return output
if float(op2) == -1:
return _negf(ins)
rev = not is_float(op1) and op1[0] != 't' and op2[0] == 't'
output = _f16_oper(op1, op2, reversed=rev)
output.append('call __DIVF16')
output.append('push de')
output.append('push hl')
REQUIRES.add('divf16.asm')
return output
|
divf16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ins):\n op1, op2 = tuple(ins.quad[2:])\n if is_float(op2):\n if float(op2) == 1:\n output = _f16_oper(op1)\n output.append('push de')\n output.append('push hl')\n return output\n if float(op2) == -1:\n return _negf(ins)\n rev = not is_float(op1) and op1[0] != 't' and op2[0] == 't'\n output = _f16_oper(op1, op2, reversed=rev)\n output.append('call __DIVF16')\n output.append('push de')\n output.append('push hl')\n REQUIRES.add('divf16.asm')\n return output\n",
"role": "user"
},
{
"content": "divf16",
"role": "assistant"
}
] |
def x(quad, QUADS, nparams):
raise InvalidICError(str(quad),
"Invalid quad code params for '%s' (expected %i, but got %i)" % (
quad, QUADS[quad][0], nparams))
|
throw_invalid_quad_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quad, QUADS, nparams):\n raise InvalidICError(str(quad), \n \"Invalid quad code params for '%s' (expected %i, but got %i)\" % (\n quad, QUADS[quad][0], nparams))\n",
"role": "user"
},
{
"content": "throw_invalid_quad_params",
"role": "assistant"
}
] |
def x(x):
def x(f):
result = ''
a = int(f) & 4294967295
for i in range(32):
result = str(a % 2) + result
a = a >> 1
return result
def x(f):
result = '0'
a = f
if f >= 1:
result = bin32(f)
result += '.'
c = int(a)
for i in range(32):
a -= c
a *= 2
c = int(a)
result += str(c)
return result
e = 0
s = 1 if x < 0 else 0
m = abs(x)
while m >= 1:
m /= 2.0
e += 1
while 0 < m < 0.5:
m *= 2.0
e -= 1
M = bindec32(m)[3:]
M = str(s) + M
E = bin32(e + 128)[-8:] if x != 0 else bin32(0)[-8:]
return M, E
|
fp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n\n def x(f):\n result = ''\n a = int(f) & 4294967295\n for i in range(32):\n result = str(a % 2) + result\n a = a >> 1\n return result\n\n def x(f):\n result = '0'\n a = f\n if f >= 1:\n result = bin32(f)\n result += '.'\n c = int(a)\n for i in range(32):\n a -= c\n a *= 2\n c = int(a)\n result += str(c)\n return result\n e = 0\n s = 1 if x < 0 else 0\n m = abs(x)\n while m >= 1:\n m /= 2.0\n e += 1\n while 0 < m < 0.5:\n m *= 2.0\n e -= 1\n M = bindec32(m)[3:]\n M = str(s) + M\n E = bin32(e + 128)[-8:] if x != 0 else bin32(0)[-8:]\n return M, E\n",
"role": "user"
},
{
"content": "fp",
"role": "assistant"
}
] |
def x(x):
def x(y):
return '%02X' % int(y, 2)
M, E = fp(x)
C = '0' + bin2hex(E) + 'h'
ED = '0' + bin2hex(M[8:16]) + bin2hex(M[:8]) + 'h'
LH = '0' + bin2hex(M[24:]) + bin2hex(M[16:24]) + 'h'
return C, ED, LH
|
immediate_float
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n\n def x(y):\n return '%02X' % int(y, 2)\n M, E = fp(x)\n C = '0' + bin2hex(E) + 'h'\n ED = '0' + bin2hex(M[8:16]) + bin2hex(M[:8]) + 'h'\n LH = '0' + bin2hex(M[24:]) + bin2hex(M[16:24]) + 'h'\n return C, ED, LH\n",
"role": "user"
},
{
"content": "immediate_float",
"role": "assistant"
}
] |
def x(self, funct, stopOn=None):
if stopOn is None:
for i in self.children:
i.inorder(funct)
else:
for i in self.children:
if i.inorder(funct) == stopOn:
return stopOn
return funct(self)
|
inorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, funct, stopOn=None):\n if stopOn is None:\n for i in self.children:\n i.inorder(funct)\n else:\n for i in self.children:\n if i.inorder(funct) == stopOn:\n return stopOn\n return funct(self)\n",
"role": "user"
},
{
"content": "inorder",
"role": "assistant"
}
] |
def x(self, funct, stopOn=None):
if funct(self.symbol) == stopOn and stopOn is not None:
return stopOn
if stopOn is None:
for i in self.children:
i.preorder(funct)
else:
for i in self.children:
if i.preorder(funct) == stopOn:
return stopOn
|
preorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, funct, stopOn=None):\n if funct(self.symbol) == stopOn and stopOn is not None:\n return stopOn\n if stopOn is None:\n for i in self.children:\n i.preorder(funct)\n else:\n for i in self.children:\n if i.preorder(funct) == stopOn:\n return stopOn\n",
"role": "user"
},
{
"content": "preorder",
"role": "assistant"
}
] |
def x(self, funct, stopOn=None):
if stopOn is None:
for i in range(len(self.children) - 1, -1, -1):
self.children[i].postorder(funct)
else:
for i in range(len(self.children) - 1, -1, -1):
if self.children[i].postorder(funct) == stopOn:
return stopOn
return funct(self.symbol)
|
postorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, funct, stopOn=None):\n if stopOn is None:\n for i in range(len(self.children) - 1, -1, -1):\n self.children[i].postorder(funct)\n else:\n for i in range(len(self.children) - 1, -1, -1):\n if self.children[i].postorder(funct) == stopOn:\n return stopOn\n return funct(self.symbol)\n",
"role": "user"
},
{
"content": "postorder",
"role": "assistant"
}
] |
def x(clss, symbol, *nexts):
result = clss(symbol)
for i in nexts:
if i is None:
continue
if not isinstance(i, clss):
raise NotAnAstError(i)
result.appendChild(i)
return result
|
makenode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clss, symbol, *nexts):\n result = clss(symbol)\n for i in nexts:\n if i is None:\n continue\n if not isinstance(i, clss):\n raise NotAnAstError(i)\n result.appendChild(i)\n return result\n",
"role": "user"
},
{
"content": "makenode",
"role": "assistant"
}
] |
def x():
global OUTPUT
global INCLUDED
global CURRENT_DIR
global ENABLED
global INCLUDEPATH
global IFDEFS
global ID_TABLE
global CURRENT_FILE
global_.FILENAME = '(stdin)'
OUTPUT = ''
INCLUDED = {}
CURRENT_DIR = ''
pwd = get_include_path()
INCLUDEPATH = [os.path.join(pwd, 'library'), os.path.join(pwd,
'library-asm')]
ENABLED = True
IFDEFS = []
global_.has_errors = 0
global_.error_msg_cache.clear()
parser.defaulted_states = {}
ID_TABLE = DefinesTable()
del CURRENT_FILE[:]
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global OUTPUT\n global INCLUDED\n global CURRENT_DIR\n global ENABLED\n global INCLUDEPATH\n global IFDEFS\n global ID_TABLE\n global CURRENT_FILE\n global_.FILENAME = '(stdin)'\n OUTPUT = ''\n INCLUDED = {}\n CURRENT_DIR = ''\n pwd = get_include_path()\n INCLUDEPATH = [os.path.join(pwd, 'library'), os.path.join(pwd,\n 'library-asm')]\n ENABLED = True\n IFDEFS = []\n global_.has_errors = 0\n global_.error_msg_cache.clear()\n parser.defaulted_states = {}\n ID_TABLE = DefinesTable()\n del CURRENT_FILE[:]\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x():
f1 = os.path.basename(sys.argv[0]).lower()
f2 = os.path.basename(sys.executable).lower()
if f1 == f2 or f2 == f1 + '.exe':
result = os.path.dirname(os.path.realpath(sys.executable))
else:
result = os.path.dirname(os.path.realpath(__file__))
return result
|
get_include_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n f1 = os.path.basename(sys.argv[0]).lower()\n f2 = os.path.basename(sys.executable).lower()\n if f1 == f2 or f2 == f1 + '.exe':\n result = os.path.dirname(os.path.realpath(sys.executable))\n else:\n result = os.path.dirname(os.path.realpath(__file__))\n return result\n",
"role": "user"
},
{
"content": "get_include_path",
"role": "assistant"
}
] |
def x(fname, lineno, local_first):
fname = api.utils.sanitize_filename(fname)
i_path = [CURRENT_DIR] + INCLUDEPATH if local_first else list(INCLUDEPATH)
i_path.extend(OPTIONS.include_path.value.split(':') if OPTIONS.
include_path.value else [])
if os.path.isabs(fname):
if os.path.isfile(fname):
return fname
else:
for dir_ in i_path:
path = api.utils.sanitize_filename(os.path.join(dir_, fname))
if os.path.exists(path):
return path
error(lineno, "file '%s' not found" % fname)
return ''
|
search_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, lineno, local_first):\n fname = api.utils.sanitize_filename(fname)\n i_path = [CURRENT_DIR] + INCLUDEPATH if local_first else list(INCLUDEPATH)\n i_path.extend(OPTIONS.include_path.value.split(':') if OPTIONS.\n include_path.value else [])\n if os.path.isabs(fname):\n if os.path.isfile(fname):\n return fname\n else:\n for dir_ in i_path:\n path = api.utils.sanitize_filename(os.path.join(dir_, fname))\n if os.path.exists(path):\n return path\n error(lineno, \"file '%s' not found\" % fname)\n return ''\n",
"role": "user"
},
{
"content": "search_filename",
"role": "assistant"
}
] |
def x(filename, lineno, local_first):
global CURRENT_DIR
filename = search_filename(filename, lineno, local_first)
if filename not in INCLUDED.keys():
INCLUDED[filename] = []
if len(CURRENT_FILE) > 0:
INCLUDED[filename].append((CURRENT_FILE[-1], lineno))
CURRENT_FILE.append(filename)
CURRENT_DIR = os.path.dirname(filename)
return LEXER.include(filename)
|
include_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, lineno, local_first):\n global CURRENT_DIR\n filename = search_filename(filename, lineno, local_first)\n if filename not in INCLUDED.keys():\n INCLUDED[filename] = []\n if len(CURRENT_FILE) > 0:\n INCLUDED[filename].append((CURRENT_FILE[-1], lineno))\n CURRENT_FILE.append(filename)\n CURRENT_DIR = os.path.dirname(filename)\n return LEXER.include(filename)\n",
"role": "user"
},
{
"content": "include_file",
"role": "assistant"
}
] |
def x(filename, lineno, local_first):
filename = search_filename(filename, lineno, local_first)
if filename not in INCLUDED.keys():
return include_file(filename, lineno, local_first)
if len(INCLUDED[filename]) > 1:
warning(lineno,
"file '%s' already included more than once, in file '%s' at line %i"
% (filename, INCLUDED[filename][0][0], INCLUDED[filename][0][1]))
LEXER.next_token = '_ENDFILE_'
return ''
|
include_once
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, lineno, local_first):\n filename = search_filename(filename, lineno, local_first)\n if filename not in INCLUDED.keys():\n return include_file(filename, lineno, local_first)\n if len(INCLUDED[filename]) > 1:\n warning(lineno, \n \"file '%s' already included more than once, in file '%s' at line %i\"\n % (filename, INCLUDED[filename][0][0], INCLUDED[filename][0][1]))\n LEXER.next_token = '_ENDFILE_'\n return ''\n",
"role": "user"
},
{
"content": "include_once",
"role": "assistant"
}
] |
def x(p):
try:
tmp = [(str(x()) if isinstance(x, MacroCall) else x) for x in p[1]]
except PreprocError as v:
error(v.lineno, v.message)
tmp.append(p[2])
p[0] = tmp
|
p_program_tokenstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n try:\n tmp = [(str(x()) if isinstance(x, MacroCall) else x) for x in p[1]]\n except PreprocError as v:\n error(v.lineno, v.message)\n tmp.append(p[2])\n p[0] = tmp\n",
"role": "user"
},
{
"content": "p_program_tokenstring",
"role": "assistant"
}
] |
def x(p):
global CURRENT_DIR
p[0] = [p[1] + p[2]] + p[3] + [p[4]]
CURRENT_FILE.pop()
CURRENT_DIR = os.path.dirname(CURRENT_FILE[-1])
|
p_include_once_ok
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global CURRENT_DIR\n p[0] = [p[1] + p[2]] + p[3] + [p[4]]\n CURRENT_FILE.pop()\n CURRENT_DIR = os.path.dirname(CURRENT_FILE[-1])\n",
"role": "user"
},
{
"content": "p_include_once_ok",
"role": "assistant"
}
] |
def x(p):
if ENABLED:
p[0] = include_file(p[2], p.lineno(2), local_first=True)
else:
p[0] = []
p.lexer.next_token = '_ENDFILE_'
|
p_include
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if ENABLED:\n p[0] = include_file(p[2], p.lineno(2), local_first=True)\n else:\n p[0] = []\n p.lexer.next_token = '_ENDFILE_'\n",
"role": "user"
},
{
"content": "p_include",
"role": "assistant"
}
] |
def x(p):
if ENABLED:
p[0] = include_file(p[2], p.lineno(2), local_first=False)
else:
p[0] = []
p.lexer.next_token = '_ENDFILE_'
|
p_include_fname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if ENABLED:\n p[0] = include_file(p[2], p.lineno(2), local_first=False)\n else:\n p[0] = []\n p.lexer.next_token = '_ENDFILE_'\n",
"role": "user"
},
{
"content": "p_include_fname",
"role": "assistant"
}
] |
def x(p):
if ENABLED:
p[0] = include_once(p[3], p.lineno(3), local_first=True)
else:
p[0] = []
if not p[0]:
p.lexer.next_token = '_ENDFILE_'
|
p_include_once
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if ENABLED:\n p[0] = include_once(p[3], p.lineno(3), local_first=True)\n else:\n p[0] = []\n if not p[0]:\n p.lexer.next_token = '_ENDFILE_'\n",
"role": "user"
},
{
"content": "p_include_once",
"role": "assistant"
}
] |
def x(p):
p[0] = []
if ENABLED:
p[0] = include_once(p[3], p.lineno(3), local_first=False)
else:
p[0] = []
if not p[0]:
p.lexer.next_token = '_ENDFILE_'
|
p_include_once_fname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = []\n if ENABLED:\n p[0] = include_once(p[3], p.lineno(3), local_first=False)\n else:\n p[0] = []\n if not p[0]:\n p.lexer.next_token = '_ENDFILE_'\n",
"role": "user"
},
{
"content": "p_include_once_fname",
"role": "assistant"
}
] |
def x(p):
if ENABLED:
if p[4]:
if SPACES.match(p[4][0]):
p[4][0] = p[4][0][1:]
else:
warning(p.lineno(1), 'missing whitespace after the macro name')
ID_TABLE.define(p[2], args=p[3], value=p[4], lineno=p.lineno(2),
fname=CURRENT_FILE[-1])
p[0] = []
|
p_define
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if ENABLED:\n if p[4]:\n if SPACES.match(p[4][0]):\n p[4][0] = p[4][0][1:]\n else:\n warning(p.lineno(1), 'missing whitespace after the macro name')\n ID_TABLE.define(p[2], args=p[3], value=p[4], lineno=p.lineno(2),\n fname=CURRENT_FILE[-1])\n p[0] = []\n",
"role": "user"
},
{
"content": "p_define",
"role": "assistant"
}
] |
def x(p):
p[0] = [ID('', value='', args=None, lineno=p.lineno(1), fname=
CURRENT_FILE[-1])]
|
p_define_params_empty
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = [ID('', value='', args=None, lineno=p.lineno(1), fname=\n CURRENT_FILE[-1])]\n",
"role": "user"
},
{
"content": "p_define_params_empty",
"role": "assistant"
}
] |
def x(p):
for i in p[2]:
if not isinstance(i, ID):
error(p.lineno(3),
'"%s" might not appear in a macro parameter list' % str(i))
p[0] = None
return
names = [x.name for x in p[2]]
for i in range(len(names)):
if names[i] in names[i + 1:]:
error(p.lineno(3), 'Duplicated name parameter "%s"' % names[i])
p[0] = None
return
p[0] = p[2]
|
p_define_params_paramlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n for i in p[2]:\n if not isinstance(i, ID):\n error(p.lineno(3), \n '\"%s\" might not appear in a macro parameter list' % str(i))\n p[0] = None\n return\n names = [x.name for x in p[2]]\n for i in range(len(names)):\n if names[i] in names[i + 1:]:\n error(p.lineno(3), 'Duplicated name parameter \"%s\"' % names[i])\n p[0] = None\n return\n p[0] = p[2]\n",
"role": "user"
},
{
"content": "p_define_params_paramlist",
"role": "assistant"
}
] |
def x(p):
p[0] = [ID(p[1], value='', args=None, lineno=p.lineno(1), fname=
CURRENT_FILE[-1])]
|
p_paramlist_single
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = [ID(p[1], value='', args=None, lineno=p.lineno(1), fname=\n CURRENT_FILE[-1])]\n",
"role": "user"
},
{
"content": "p_paramlist_single",
"role": "assistant"
}
] |
def x(p):
p[0] = p[1] + [ID(p[3], value='', args=None, lineno=p.lineno(1), fname=
CURRENT_FILE[-1])]
|
p_paramlist_paramlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = p[1] + [ID(p[3], value='', args=None, lineno=p.lineno(1), fname=\n CURRENT_FILE[-1])]\n",
"role": "user"
},
{
"content": "p_paramlist_paramlist",
"role": "assistant"
}
] |
def x(p):
global ENABLED
if ENABLED:
p[0] = [p[2]] + p[3]
p[0] += ['#line %i "%s"' % (p.lineno(4) + 1, CURRENT_FILE[-1])]
else:
p[0] = ['#line %i "%s"' % (p.lineno(4) + 1, CURRENT_FILE[-1])]
ENABLED = IFDEFS[-1][0]
IFDEFS.pop()
|
p_ifdef
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n if ENABLED:\n p[0] = [p[2]] + p[3]\n p[0] += ['#line %i \"%s\"' % (p.lineno(4) + 1, CURRENT_FILE[-1])]\n else:\n p[0] = ['#line %i \"%s\"' % (p.lineno(4) + 1, CURRENT_FILE[-1])]\n ENABLED = IFDEFS[-1][0]\n IFDEFS.pop()\n",
"role": "user"
},
{
"content": "p_ifdef",
"role": "assistant"
}
] |
def x(p):
global ENABLED
p[0] = p[1] + p[2]
p[0] += ['#line %i "%s"' % (p.lineno(3) + 1, CURRENT_FILE[-1])]
ENABLED = IFDEFS[-1][0]
IFDEFS.pop()
|
p_ifdef_else
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n p[0] = p[1] + p[2]\n p[0] += ['#line %i \"%s\"' % (p.lineno(3) + 1, CURRENT_FILE[-1])]\n ENABLED = IFDEFS[-1][0]\n IFDEFS.pop()\n",
"role": "user"
},
{
"content": "p_ifdef_else",
"role": "assistant"
}
] |
def x(p):
global ENABLED
if ENABLED:
p[0] = [p[2]] + p[3]
else:
p[0] = []
ENABLED = not ENABLED
|
p_ifdef_else_a
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n if ENABLED:\n p[0] = [p[2]] + p[3]\n else:\n p[0] = []\n ENABLED = not ENABLED\n",
"role": "user"
},
{
"content": "p_ifdef_else_a",
"role": "assistant"
}
] |
def x(p):
global ENABLED
if ENABLED:
p[0] = ['#line %i "%s"%s' % (p.lineno(1) + 1, CURRENT_FILE[-1], p[2])]
p[0] += p[3]
else:
p[0] = []
|
p_ifdef_else_b
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n if ENABLED:\n p[0] = ['#line %i \"%s\"%s' % (p.lineno(1) + 1, CURRENT_FILE[-1], p[2])]\n p[0] += p[3]\n else:\n p[0] = []\n",
"role": "user"
},
{
"content": "p_ifdef_else_b",
"role": "assistant"
}
] |
def x(p):
global ENABLED
IFDEFS.append((ENABLED, p.lineno(2)))
ENABLED = ID_TABLE.defined(p[2])
|
p_if_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n IFDEFS.append((ENABLED, p.lineno(2)))\n ENABLED = ID_TABLE.defined(p[2])\n",
"role": "user"
},
{
"content": "p_if_header",
"role": "assistant"
}
] |
def x(p):
global ENABLED
IFDEFS.append((ENABLED, p.lineno(2)))
ENABLED = not ID_TABLE.defined(p[2])
|
p_ifn_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n IFDEFS.append((ENABLED, p.lineno(2)))\n ENABLED = not ID_TABLE.defined(p[2])\n",
"role": "user"
},
{
"content": "p_ifn_header",
"role": "assistant"
}
] |
def x(p):
global ENABLED
IFDEFS.append((ENABLED, p.lineno(1)))
ENABLED = bool(int(p[2])) if p[2].isdigit() else ID_TABLE.defined(p[2])
|
p_if_expr_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ENABLED\n IFDEFS.append((ENABLED, p.lineno(1)))\n ENABLED = bool(int(p[2])) if p[2].isdigit() else ID_TABLE.defined(p[2])\n",
"role": "user"
},
{
"content": "p_if_expr_header",
"role": "assistant"
}
] |
def x(p):
a = int(p[1]) if p[1].isdigit() else 0
b = int(p[3]) if p[3].isdigit() else 0
p[0] = '1' if a < b else '0'
|
p_exprlt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n a = int(p[1]) if p[1].isdigit() else 0\n b = int(p[3]) if p[3].isdigit() else 0\n p[0] = '1' if a < b else '0'\n",
"role": "user"
},
{
"content": "p_exprlt",
"role": "assistant"
}
] |
def x(p):
a = int(p[1]) if p[1].isdigit() else 0
b = int(p[3]) if p[3].isdigit() else 0
p[0] = '1' if a <= b else '0'
|
p_exprle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n a = int(p[1]) if p[1].isdigit() else 0\n b = int(p[3]) if p[3].isdigit() else 0\n p[0] = '1' if a <= b else '0'\n",
"role": "user"
},
{
"content": "p_exprle",
"role": "assistant"
}
] |
def x(p):
a = int(p[1]) if p[1].isdigit() else 0
b = int(p[3]) if p[3].isdigit() else 0
p[0] = '1' if a > b else '0'
|
p_exprgt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n a = int(p[1]) if p[1].isdigit() else 0\n b = int(p[3]) if p[3].isdigit() else 0\n p[0] = '1' if a > b else '0'\n",
"role": "user"
},
{
"content": "p_exprgt",
"role": "assistant"
}
] |
def x(p):
a = int(p[1]) if p[1].isdigit() else 0
b = int(p[3]) if p[3].isdigit() else 0
p[0] = '1' if a >= b else '0'
|
p_exprge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n a = int(p[1]) if p[1].isdigit() else 0\n b = int(p[3]) if p[3].isdigit() else 0\n p[0] = '1' if a >= b else '0'\n",
"role": "user"
},
{
"content": "p_exprge",
"role": "assistant"
}
] |
def x(input_, filename='<internal>', state='INITIAL'):
global CURRENT_DIR
prev_dir = CURRENT_DIR
CURRENT_FILE.append(filename)
CURRENT_DIR = os.path.dirname(CURRENT_FILE[-1])
LEXER.input(input_, filename)
LEXER.lex.begin(state)
parser.parse(lexer=LEXER, debug=OPTIONS.Debug.value > 2)
CURRENT_FILE.pop()
CURRENT_DIR = prev_dir
|
filter_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_, filename='<internal>', state='INITIAL'):\n global CURRENT_DIR\n prev_dir = CURRENT_DIR\n CURRENT_FILE.append(filename)\n CURRENT_DIR = os.path.dirname(CURRENT_FILE[-1])\n LEXER.input(input_, filename)\n LEXER.lex.begin(state)\n parser.parse(lexer=LEXER, debug=OPTIONS.Debug.value > 2)\n CURRENT_FILE.pop()\n CURRENT_DIR = prev_dir\n",
"role": "user"
},
{
"content": "filter_",
"role": "assistant"
}
] |
def x(name=None):
if name is None:
tplot_names = list(data_quants.keys())
for i in tplot_names:
del data_quants[i]
return
if not isinstance(name, list):
name = [name]
entries = []
for i in name:
if '?' in i or '*' in i:
for j in data_quants.keys():
var_verif = fnmatch.fnmatch(data_quants[j].name, i)
if var_verif == 1:
entries.append(data_quants[j].name)
else:
continue
for key in entries:
if key in data_quants:
del data_quants[key]
elif i not in data_quants.keys():
print(str(i) + ' is currently not in pytplot.')
return
else:
temp_data_quants = data_quants[i]
str_name = temp_data_quants.name
del data_quants[str_name]
return
|
del_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None):\n if name is None:\n tplot_names = list(data_quants.keys())\n for i in tplot_names:\n del data_quants[i]\n return\n if not isinstance(name, list):\n name = [name]\n entries = []\n for i in name:\n if '?' in i or '*' in i:\n for j in data_quants.keys():\n var_verif = fnmatch.fnmatch(data_quants[j].name, i)\n if var_verif == 1:\n entries.append(data_quants[j].name)\n else:\n continue\n for key in entries:\n if key in data_quants:\n del data_quants[key]\n elif i not in data_quants.keys():\n print(str(i) + ' is currently not in pytplot.')\n return\n else:\n temp_data_quants = data_quants[i]\n str_name = temp_data_quants.name\n del data_quants[str_name]\n return\n",
"role": "user"
},
{
"content": "del_data",
"role": "assistant"
}
] |
def x(min, max):
if not isinstance(min, (int, float, complex)):
min = tplot_utilities.str_to_int(min)
if not isinstance(max, (int, float, complex)):
max = tplot_utilities.str_to_int(max)
if 'x_range' in tplot_opt_glob:
lim_info['xlast'] = tplot_opt_glob['x_range']
else:
lim_info['xfull'] = Range1d(min, max)
lim_info['xlast'] = Range1d(min, max)
tplot_opt_glob['x_range'] = [min, max]
return
|
xlim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min, max):\n if not isinstance(min, (int, float, complex)):\n min = tplot_utilities.str_to_int(min)\n if not isinstance(max, (int, float, complex)):\n max = tplot_utilities.str_to_int(max)\n if 'x_range' in tplot_opt_glob:\n lim_info['xlast'] = tplot_opt_glob['x_range']\n else:\n lim_info['xfull'] = Range1d(min, max)\n lim_info['xlast'] = Range1d(min, max)\n tplot_opt_glob['x_range'] = [min, max]\n return\n",
"role": "user"
},
{
"content": "xlim",
"role": "assistant"
}
] |
def x(name, min, max):
if name not in data_quants.keys():
print('That name is currently not in pytplot.')
return
temp_data_quant = data_quants[name]
temp_data_quant.zaxis_opt['z_range'] = [min, max]
return
|
zlim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, min, max):\n if name not in data_quants.keys():\n print('That name is currently not in pytplot.')\n return\n temp_data_quant = data_quants[name]\n temp_data_quant.zaxis_opt['z_range'] = [min, max]\n return\n",
"role": "user"
},
{
"content": "zlim",
"role": "assistant"
}
] |
def x(name, min, max):
if name not in data_quants.keys():
print('That name is currently not in pytplot.')
return
temp_data_quant = data_quants[name]
temp_data_quant.yaxis_opt['y_range'] = [min, max]
return
|
ylim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, min, max):\n if name not in data_quants.keys():\n print('That name is currently not in pytplot.')\n return\n temp_data_quant = data_quants[name]\n temp_data_quant.yaxis_opt['y_range'] = [min, max]\n return\n",
"role": "user"
},
{
"content": "ylim",
"role": "assistant"
}
] |
def x(layout):
if 'title_size' in pytplot.tplot_opt_glob:
size = pytplot.tplot_opt_glob['title_size']
if 'title_text' in pytplot.tplot_opt_glob:
if pytplot.tplot_opt_glob['title_text'] != '':
layout.addItem(LabelItem(pytplot.tplot_opt_glob['title_text'],
size=size, color='k'), row=0, col=0)
return True
return False
|
set_pyqtgraph_title
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layout):\n if 'title_size' in pytplot.tplot_opt_glob:\n size = pytplot.tplot_opt_glob['title_size']\n if 'title_text' in pytplot.tplot_opt_glob:\n if pytplot.tplot_opt_glob['title_text'] != '':\n layout.addItem(LabelItem(pytplot.tplot_opt_glob['title_text'],\n size=size, color='k'), row=0, col=0)\n return True\n return False\n",
"role": "user"
},
{
"content": "set_pyqtgraph_title",
"role": "assistant"
}
] |
def x(name, data=None, delete=False, newname=None):
global tplot_num
create_time = datetime.datetime.now()
if delete is True:
del_data(name)
return
if data is None and newname is None:
print('Please provide data.')
return
if newname is not None:
pytplot.tplot_rename(name, newname)
return
if isinstance(data, list):
base_data = get_base_tplot_vars(data)
trange = [np.nanmin(data_quants[base_data[0]].data.index), np.
nanmax(data_quants[base_data[0]].data.index)]
df = base_data
spec_bins = None
else:
df = format_ydata(data['y'])
times = data['x']
if any(isinstance(t, datetime.datetime) for t in times):
for tt, time in enumerate(times):
times[tt] = (time - datetime.datetime(1970, 1, 1, tzinfo=
datetime.timezone.utc)).total_seconds()
elif any(isinstance(t, str) for t in times):
for tt, time in enumerate(times):
times[tt] = pytplot.tplot_utilities.str_to_int(time)
if len(times) != len(df.index):
print('The lengths of x and y do not match!')
return
elif isinstance(times, pd.Series):
df = df.set_index(data['x'])
else:
df['Index'] = times
df = df.set_index('Index', drop=True)
trange = [np.nanmin(times), np.nanmax(times)]
if 'v' in data or 'v2' in data:
if 'v' in data:
spec_bins = data['v']
else:
spec_bins = data['v2']
if type(spec_bins) is not pd.DataFrame:
spec_bins = pd.DataFrame(spec_bins)
if len(spec_bins.columns) != 1:
if len(spec_bins) == len(df.index):
spec_bins = spec_bins.set_index(df.index)
else:
print(
'Length of v and x do not match. Cannot create tplot variable.'
)
return
else:
spec_bins = spec_bins.transpose()
else:
spec_bins = None
xaxis_opt = dict(axis_label='Time')
yaxis_opt = dict(axis_label=name) if spec_bins is None else dict(axis_label
='')
zaxis_opt = dict(axis_label='') if spec_bins is None else dict(axis_label
=name)
line_opt = {}
dtype = ''
time_bar = []
extras = dict(panel_size=1)
links = {}
temp = TVar(name, tplot_num, df, spec_bins, xaxis_opt, yaxis_opt,
zaxis_opt, line_opt, trange, dtype, create_time, time_bar, extras,
links)
data_quants[name] = temp
data_quants[name].yaxis_opt['y_range'] = get_y_range(df, spec_bins)
return
|
store_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, data=None, delete=False, newname=None):\n global tplot_num\n create_time = datetime.datetime.now()\n if delete is True:\n del_data(name)\n return\n if data is None and newname is None:\n print('Please provide data.')\n return\n if newname is not None:\n pytplot.tplot_rename(name, newname)\n return\n if isinstance(data, list):\n base_data = get_base_tplot_vars(data)\n trange = [np.nanmin(data_quants[base_data[0]].data.index), np.\n nanmax(data_quants[base_data[0]].data.index)]\n df = base_data\n spec_bins = None\n else:\n df = format_ydata(data['y'])\n times = data['x']\n if any(isinstance(t, datetime.datetime) for t in times):\n for tt, time in enumerate(times):\n times[tt] = (time - datetime.datetime(1970, 1, 1, tzinfo=\n datetime.timezone.utc)).total_seconds()\n elif any(isinstance(t, str) for t in times):\n for tt, time in enumerate(times):\n times[tt] = pytplot.tplot_utilities.str_to_int(time)\n if len(times) != len(df.index):\n print('The lengths of x and y do not match!')\n return\n elif isinstance(times, pd.Series):\n df = df.set_index(data['x'])\n else:\n df['Index'] = times\n df = df.set_index('Index', drop=True)\n trange = [np.nanmin(times), np.nanmax(times)]\n if 'v' in data or 'v2' in data:\n if 'v' in data:\n spec_bins = data['v']\n else:\n spec_bins = data['v2']\n if type(spec_bins) is not pd.DataFrame:\n spec_bins = pd.DataFrame(spec_bins)\n if len(spec_bins.columns) != 1:\n if len(spec_bins) == len(df.index):\n spec_bins = spec_bins.set_index(df.index)\n else:\n print(\n 'Length of v and x do not match. Cannot create tplot variable.'\n )\n return\n else:\n spec_bins = spec_bins.transpose()\n else:\n spec_bins = None\n xaxis_opt = dict(axis_label='Time')\n yaxis_opt = dict(axis_label=name) if spec_bins is None else dict(axis_label\n ='')\n zaxis_opt = dict(axis_label='') if spec_bins is None else dict(axis_label\n =name)\n line_opt = {}\n dtype = ''\n time_bar = []\n extras = dict(panel_size=1)\n links = {}\n temp = TVar(name, tplot_num, df, spec_bins, xaxis_opt, yaxis_opt,\n zaxis_opt, line_opt, trange, dtype, create_time, time_bar, extras,\n links)\n data_quants[name] = temp\n data_quants[name].yaxis_opt['y_range'] = get_y_range(df, spec_bins)\n return\n",
"role": "user"
},
{
"content": "store_data",
"role": "assistant"
}
] |
def x(name):
global data_quants
if name not in data_quants.keys():
print('That name is currently not in pytplot')
return
temp_data_quant = data_quants[name]
data_val = temp_data_quant.data.values
time_val = temp_data_quant.data.index
return time_val, data_val
|
get_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n global data_quants\n if name not in data_quants.keys():\n print('That name is currently not in pytplot')\n return\n temp_data_quant = data_quants[name]\n data_val = temp_data_quant.data.values\n time_val = temp_data_quant.data.index\n return time_val, data_val\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(var, time):
names = list(pytplot.data_quants.keys())
valid_variables = tplot_utilities.get_data(names)
if valid_variables:
labels = tplot_utilities.get_labels_axis_types(names)
data = {}
for name in valid_variables:
bins = tplot_utilities.get_bins(name)
time_values, z_values = tplot_utilities.get_z_t_values(name)
data[name] = [bins, z_values, time_values]
pytplot.static_window = pg.GraphicsWindow()
pytplot.static_window.resize(1000, 600)
pytplot.static_window.setWindowTitle('Static Window')
plot = pytplot.static_window.addPlot(title='2D Static Plot', row=0,
col=0)
plot_data = plot.plot([], [])
if var in valid_variables:
t_min = np.nanmin(time_values)
t_min_str = tplot_utilities.int_to_str(np.nanmin(time_values))
t_min_conv_back = tplot_utilities.str_to_int(t_min_str)
t_max = np.nanmax(time_values)
t_max_str = tplot_utilities.int_to_str(np.nanmax(time_values))
t_max_conv_back = tplot_utilities.str_to_int(t_max_str)
user_time = tplot_utilities.str_to_int(time)
if user_time not in range(t_min_conv_back, t_max_conv_back + 1):
while True:
try:
user_time = tplot_utilities.str_to_int(input(
'Chosen time not in range of data [{} to {}]. Input new time (%Y-%m-%d %H:%M:%S). '
.format(t_min_str, t_max_str)))
except:
continue
else:
if user_time not in range(int(t_min), int(t_max)):
continue
else:
break
time_array = np.array(data[var][2])
array = np.asarray(time_array)
idx = np.abs(array - user_time).argmin()
x_axis = False
y_axis = False
if np.nanmin(data[name][0][:]) < 0:
print('Negative data is incompatible with log plotting.')
elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2] == 'log':
x_axis = True
if np.nanmin(list(data[name][1][idx])) < 0:
print('Negative data is incompatible with log plotting')
elif np.nanmin(list(data[name][1][idx])) >= 0 and labels[name][3
] == 'log':
y_axis = True
plot.setLabel('bottom', '{}'.format(labels[name][0]))
plot.setLabel('left', '{}'.format(labels[name][1]))
plot.setLogMode(x=x_axis, y=y_axis)
tplot_utilities.set_x_range(name, x_axis, plot)
tplot_utilities.set_y_range(name, y_axis, plot)
plot_data.setData(data[name][0][:], list(data[name][1][idx]))
|
static2dplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(var, time):\n names = list(pytplot.data_quants.keys())\n valid_variables = tplot_utilities.get_data(names)\n if valid_variables:\n labels = tplot_utilities.get_labels_axis_types(names)\n data = {}\n for name in valid_variables:\n bins = tplot_utilities.get_bins(name)\n time_values, z_values = tplot_utilities.get_z_t_values(name)\n data[name] = [bins, z_values, time_values]\n pytplot.static_window = pg.GraphicsWindow()\n pytplot.static_window.resize(1000, 600)\n pytplot.static_window.setWindowTitle('Static Window')\n plot = pytplot.static_window.addPlot(title='2D Static Plot', row=0,\n col=0)\n plot_data = plot.plot([], [])\n if var in valid_variables:\n t_min = np.nanmin(time_values)\n t_min_str = tplot_utilities.int_to_str(np.nanmin(time_values))\n t_min_conv_back = tplot_utilities.str_to_int(t_min_str)\n t_max = np.nanmax(time_values)\n t_max_str = tplot_utilities.int_to_str(np.nanmax(time_values))\n t_max_conv_back = tplot_utilities.str_to_int(t_max_str)\n user_time = tplot_utilities.str_to_int(time)\n if user_time not in range(t_min_conv_back, t_max_conv_back + 1):\n while True:\n try:\n user_time = tplot_utilities.str_to_int(input(\n 'Chosen time not in range of data [{} to {}]. Input new time (%Y-%m-%d %H:%M:%S). '\n .format(t_min_str, t_max_str)))\n except:\n continue\n else:\n if user_time not in range(int(t_min), int(t_max)):\n continue\n else:\n break\n time_array = np.array(data[var][2])\n array = np.asarray(time_array)\n idx = np.abs(array - user_time).argmin()\n x_axis = False\n y_axis = False\n if np.nanmin(data[name][0][:]) < 0:\n print('Negative data is incompatible with log plotting.')\n elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2] == 'log':\n x_axis = True\n if np.nanmin(list(data[name][1][idx])) < 0:\n print('Negative data is incompatible with log plotting')\n elif np.nanmin(list(data[name][1][idx])) >= 0 and labels[name][3\n ] == 'log':\n y_axis = True\n plot.setLabel('bottom', '{}'.format(labels[name][0]))\n plot.setLabel('left', '{}'.format(labels[name][1]))\n plot.setLogMode(x=x_axis, y=y_axis)\n tplot_utilities.set_x_range(name, x_axis, plot)\n tplot_utilities.set_y_range(name, y_axis, plot)\n plot_data.setData(data[name][0][:], list(data[name][1][idx]))\n",
"role": "user"
},
{
"content": "static2dplot",
"role": "assistant"
}
] |
def x(filenames, time='', prefix='', suffix='', plot=False, merge=False):
from netCDF4 import Dataset
stored_variables = []
global data_quants
if isinstance(filenames, str):
filenames = [filenames]
elif isinstance(filenames, list):
filenames = filenames
else:
print('Invalid filenames input.')
for filename in filenames:
file = Dataset(filename, 'r+')
vars_and_atts = {}
for name, variable in file.variables.items():
vars_and_atts[name] = {}
for attrname in variable.ncattrs():
vars_and_atts[name][attrname] = getattr(variable, attrname)
masked_vars = {}
for var in vars_and_atts.keys():
reg_var = file.variables[var]
try:
var_fill_value = vars_and_atts[var]['missing_value']
if np.isnan(var_fill_value) != True:
var_mask = np.ma.masked_where(reg_var == np.float32(
var_fill_value), reg_var)
var_filled = np.ma.filled(var_mask, np.nan)
masked_vars[var] = var_filled
elif np.isnan(var_fill_value) == True:
var_filled = reg_var
masked_vars[var] = var_filled
except:
var_filled = reg_var
masked_vars[var] = var_filled
if time != '':
time_var = file[time]
unix_times = change_time_to_unix_time(time_var)
elif time == '':
time = input(
'Please enter time variable name. \nVariable list: {l}'.
format(l=vars_and_atts.keys()))
while True:
if time not in vars_and_atts.keys():
print('Not a valid variable name, please try again.')
continue
elif time in vars_and_atts.keys():
time_var = time
unix_times = change_time_to_unix_time(time_var)
for i, var in enumerate(file.variables):
if 'record' in file[var].dimensions[0] or 'time' in file[var
].dimensions[0]:
var_name = prefix + var + suffix
to_merge = False
if var_name in data_quants.keys() and merge == True:
prev_data_quant = data_quants[var_name].data
to_merge = True
tplot_data = {'x': unix_times, 'y': masked_vars[var]}
store_data(var_name, tplot_data)
if var_name not in stored_variables:
stored_variables.append(var_name)
if to_merge == True:
cur_data_quant = data_quants[var_name].data
merged_data = [prev_data_quant, cur_data_quant]
data_quants[var_name].data = pd.concat(merged_data)
if plot:
tplot(stored_variables)
else:
continue
return stored_variables
|
netcdf_to_tplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames, time='', prefix='', suffix='', plot=False, merge=False):\n from netCDF4 import Dataset\n stored_variables = []\n global data_quants\n if isinstance(filenames, str):\n filenames = [filenames]\n elif isinstance(filenames, list):\n filenames = filenames\n else:\n print('Invalid filenames input.')\n for filename in filenames:\n file = Dataset(filename, 'r+')\n vars_and_atts = {}\n for name, variable in file.variables.items():\n vars_and_atts[name] = {}\n for attrname in variable.ncattrs():\n vars_and_atts[name][attrname] = getattr(variable, attrname)\n masked_vars = {}\n for var in vars_and_atts.keys():\n reg_var = file.variables[var]\n try:\n var_fill_value = vars_and_atts[var]['missing_value']\n if np.isnan(var_fill_value) != True:\n var_mask = np.ma.masked_where(reg_var == np.float32(\n var_fill_value), reg_var)\n var_filled = np.ma.filled(var_mask, np.nan)\n masked_vars[var] = var_filled\n elif np.isnan(var_fill_value) == True:\n var_filled = reg_var\n masked_vars[var] = var_filled\n except:\n var_filled = reg_var\n masked_vars[var] = var_filled\n if time != '':\n time_var = file[time]\n unix_times = change_time_to_unix_time(time_var)\n elif time == '':\n time = input(\n 'Please enter time variable name. \\nVariable list: {l}'.\n format(l=vars_and_atts.keys()))\n while True:\n if time not in vars_and_atts.keys():\n print('Not a valid variable name, please try again.')\n continue\n elif time in vars_and_atts.keys():\n time_var = time\n unix_times = change_time_to_unix_time(time_var)\n for i, var in enumerate(file.variables):\n if 'record' in file[var].dimensions[0] or 'time' in file[var\n ].dimensions[0]:\n var_name = prefix + var + suffix\n to_merge = False\n if var_name in data_quants.keys() and merge == True:\n prev_data_quant = data_quants[var_name].data\n to_merge = True\n tplot_data = {'x': unix_times, 'y': masked_vars[var]}\n store_data(var_name, tplot_data)\n if var_name not in stored_variables:\n stored_variables.append(var_name)\n if to_merge == True:\n cur_data_quant = data_quants[var_name].data\n merged_data = [prev_data_quant, cur_data_quant]\n data_quants[var_name].data = pd.concat(merged_data)\n if plot:\n tplot(stored_variables)\n else:\n continue\n return stored_variables\n",
"role": "user"
},
{
"content": "netcdf_to_tplot",
"role": "assistant"
}
] |
def x(old_name, new_name):
if old_name not in pytplot.data_quants.keys():
print('That name is currently not in pytplot')
return
if isinstance(old_name, int):
old_name = pytplot.data_quants[old_name].name
d = pytplot.data_quants
d2 = OrderedDict([((new_name, v) if k == old_name else (k, v)) for k, v in
d.items()])
data_quants = d2
for key in d2:
data_quants[key].name = key
pytplot.data_quants = data_quants
return
|
tplot_rename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old_name, new_name):\n if old_name not in pytplot.data_quants.keys():\n print('That name is currently not in pytplot')\n return\n if isinstance(old_name, int):\n old_name = pytplot.data_quants[old_name].name\n d = pytplot.data_quants\n d2 = OrderedDict([((new_name, v) if k == old_name else (k, v)) for k, v in\n d.items()])\n data_quants = d2\n for key in d2:\n data_quants[key].name = key\n pytplot.data_quants = data_quants\n return\n",
"role": "user"
},
{
"content": "tplot_rename",
"role": "assistant"
}
] |
def x(self):
if self.spec_bins is None:
return
if len(self.spec_bins) == len(self.data.index):
self.spec_bins_time_varying = True
break_top_loop = False
for index, row in self.spec_bins.iterrows():
if row.isnull().values.all():
continue
else:
for i in row.index:
if np.isfinite(row[i]) and np.isfinite(row[i + 1]):
ascending = row[i] < row[i + 1]
break_top_loop = True
break
else:
continue
if break_top_loop:
break
else:
ascending = self.spec_bins[0].iloc[0] < self.spec_bins[1].iloc[0]
return ascending
|
check_spec_bins_ordering
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.spec_bins is None:\n return\n if len(self.spec_bins) == len(self.data.index):\n self.spec_bins_time_varying = True\n break_top_loop = False\n for index, row in self.spec_bins.iterrows():\n if row.isnull().values.all():\n continue\n else:\n for i in row.index:\n if np.isfinite(row[i]) and np.isfinite(row[i + 1]):\n ascending = row[i] < row[i + 1]\n break_top_loop = True\n break\n else:\n continue\n if break_top_loop:\n break\n else:\n ascending = self.spec_bins[0].iloc[0] < self.spec_bins[1].iloc[0]\n return ascending\n",
"role": "user"
},
{
"content": "check_spec_bins_ordering",
"role": "assistant"
}
] |
def x():
index = 0
return_names = []
for key, _ in data_quants.items():
if isinstance(data_quants[key].data, list):
if isinstance(key, str):
names_to_print = data_quants[key].name + ' data from: '
for name in data_quants[key].data:
names_to_print = names_to_print + ' ' + name
print(index, ':', names_to_print)
index += 1
elif isinstance(key, str):
names_to_print = data_quants[key].name
print(index, ':', names_to_print)
index += 1
return_names.append(names_to_print)
return return_names
|
tplot_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n index = 0\n return_names = []\n for key, _ in data_quants.items():\n if isinstance(data_quants[key].data, list):\n if isinstance(key, str):\n names_to_print = data_quants[key].name + ' data from: '\n for name in data_quants[key].data:\n names_to_print = names_to_print + ' ' + name\n print(index, ':', names_to_print)\n index += 1\n elif isinstance(key, str):\n names_to_print = data_quants[key].name\n print(index, ':', names_to_print)\n index += 1\n return_names.append(names_to_print)\n return return_names\n",
"role": "user"
},
{
"content": "tplot_names",
"role": "assistant"
}
] |
def x(t_average=None):
names = list(pytplot.data_quants.keys())
valid_variables = tplot_utilities.get_data(names)
if valid_variables:
labels = tplot_utilities.get_labels_axis_types(names)
data = {}
for name in valid_variables:
bins = tplot_utilities.get_bins(name)
time_values, z_values = tplot_utilities.get_z_t_values(name)
data[name] = [bins, z_values, time_values]
pytplot.interactive_window = pg.GraphicsWindow()
pytplot.interactive_window.resize(1000, 600)
pytplot.interactive_window.setWindowTitle('Interactive Window')
plot = pytplot.interactive_window.addPlot(title=
'2D Interactive Plot', row=0, col=0)
plot_data = plot.plot([], [])
def x(t, name):
if name in valid_variables:
time_array = np.array(data[name][2])
array = np.asarray(time_array)
idx = np.abs(array - t).argmin()
x_axis = False
y_axis = False
if np.nanmin(data[name][0][:]) < 0:
print('Negative data is incompatible with log plotting.')
elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2
] == 'log':
x_axis = True
if np.nanmin(list(data[name][1][idx])) < 0:
print('Negative data is incompatible with log plotting')
elif np.nanmin(list(data[name][1][idx])) >= 0 and labels[name][
3] == 'log':
y_axis = True
plot.setLabel('bottom', '{}'.format(labels[name][0]))
plot.setLabel('left', '{}'.format(labels[name][1]))
plot.setLogMode(x=x_axis, y=y_axis)
tplot_utilities.set_x_range(name, x_axis, plot)
tplot_utilities.set_y_range(name, y_axis, plot)
if 't_average' in pytplot.data_quants[name].extras:
t_min = data[name][2][0]
t_max = data[name][2][-1]
delta = pytplot.data_quants[name].extras['t_average'
] / int(2)
left_bound = data[name][2][idx] - delta
right_bound = data[name][2][idx] + delta
if left_bound - t_min >= 0 and t_max - right_bound >= 0:
idx_left = np.abs(array - left_bound).argmin()
idx_right = np.abs(array - right_bound).argmin()
elif left_bound - t_min < 0:
idx_left = 0
diff = right_bound + (t_min - left_bound)
idx_right = np.abs(array - diff).argmin()
elif t_max - right_bound < 0:
idx_right = -1
diff = left_bound - (right_bound - t_max)
idx_left = np.abs(array - diff).argmin()
elif left_bound - t_min < 0 and t_max - right_bound < 0:
print(
"This plot isn't appropriate for what you want, use the time-averaged static plot."
)
time_diff = abs(idx_right - idx_left)
if idx_right != -1:
y_values_slice = data[name][1][idx_left:idx_right + 1]
else:
y_values_slice = data[name][1][idx_left:]
y_values_avgd = np.sum(y_values_slice, axis=0) / np.float(
time_diff)
tplot_utilities.set_x_range(name, x_axis, plot)
tplot_utilities.set_y_range(name, y_axis, plot)
try:
plot_data.setData(data[name][0][:], y_values_avgd)
except ZeroDivisionError:
pass
else:
tplot_utilities.set_x_range(name, x_axis, plot)
tplot_utilities.set_y_range(name, y_axis, plot)
try:
plot_data.setData(data[name][0][:], list(data[name]
[1][idx]))
except ZeroDivisionError:
pass
else:
plot.setLogMode(False, False)
plot.setLabel('bottom', '')
plot.setLabel('left', '')
plot_data.setData([], [])
pytplot.hover_time.register_listener(update)
|
interactiveplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t_average=None):\n names = list(pytplot.data_quants.keys())\n valid_variables = tplot_utilities.get_data(names)\n if valid_variables:\n labels = tplot_utilities.get_labels_axis_types(names)\n data = {}\n for name in valid_variables:\n bins = tplot_utilities.get_bins(name)\n time_values, z_values = tplot_utilities.get_z_t_values(name)\n data[name] = [bins, z_values, time_values]\n pytplot.interactive_window = pg.GraphicsWindow()\n pytplot.interactive_window.resize(1000, 600)\n pytplot.interactive_window.setWindowTitle('Interactive Window')\n plot = pytplot.interactive_window.addPlot(title=\n '2D Interactive Plot', row=0, col=0)\n plot_data = plot.plot([], [])\n\n def x(t, name):\n if name in valid_variables:\n time_array = np.array(data[name][2])\n array = np.asarray(time_array)\n idx = np.abs(array - t).argmin()\n x_axis = False\n y_axis = False\n if np.nanmin(data[name][0][:]) < 0:\n print('Negative data is incompatible with log plotting.')\n elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2\n ] == 'log':\n x_axis = True\n if np.nanmin(list(data[name][1][idx])) < 0:\n print('Negative data is incompatible with log plotting')\n elif np.nanmin(list(data[name][1][idx])) >= 0 and labels[name][\n 3] == 'log':\n y_axis = True\n plot.setLabel('bottom', '{}'.format(labels[name][0]))\n plot.setLabel('left', '{}'.format(labels[name][1]))\n plot.setLogMode(x=x_axis, y=y_axis)\n tplot_utilities.set_x_range(name, x_axis, plot)\n tplot_utilities.set_y_range(name, y_axis, plot)\n if 't_average' in pytplot.data_quants[name].extras:\n t_min = data[name][2][0]\n t_max = data[name][2][-1]\n delta = pytplot.data_quants[name].extras['t_average'\n ] / int(2)\n left_bound = data[name][2][idx] - delta\n right_bound = data[name][2][idx] + delta\n if left_bound - t_min >= 0 and t_max - right_bound >= 0:\n idx_left = np.abs(array - left_bound).argmin()\n idx_right = np.abs(array - right_bound).argmin()\n elif left_bound - t_min < 0:\n idx_left = 0\n diff = right_bound + (t_min - left_bound)\n idx_right = np.abs(array - diff).argmin()\n elif t_max - right_bound < 0:\n idx_right = -1\n diff = left_bound - (right_bound - t_max)\n idx_left = np.abs(array - diff).argmin()\n elif left_bound - t_min < 0 and t_max - right_bound < 0:\n print(\n \"This plot isn't appropriate for what you want, use the time-averaged static plot.\"\n )\n time_diff = abs(idx_right - idx_left)\n if idx_right != -1:\n y_values_slice = data[name][1][idx_left:idx_right + 1]\n else:\n y_values_slice = data[name][1][idx_left:]\n y_values_avgd = np.sum(y_values_slice, axis=0) / np.float(\n time_diff)\n tplot_utilities.set_x_range(name, x_axis, plot)\n tplot_utilities.set_y_range(name, y_axis, plot)\n try:\n plot_data.setData(data[name][0][:], y_values_avgd)\n except ZeroDivisionError:\n pass\n else:\n tplot_utilities.set_x_range(name, x_axis, plot)\n tplot_utilities.set_y_range(name, y_axis, plot)\n try:\n plot_data.setData(data[name][0][:], list(data[name]\n [1][idx]))\n except ZeroDivisionError:\n pass\n else:\n plot.setLogMode(False, False)\n plot.setLabel('bottom', '')\n plot.setLabel('left', '')\n plot_data.setData([], [])\n pytplot.hover_time.register_listener(update)\n",
"role": "user"
},
{
"content": "interactiveplot",
"role": "assistant"
}
] |
def x(filenames, varformat=None, get_support_data=False, prefix='', suffix=
'', plot=False, merge=False):
stored_variables = []
epoch_cache = {}
global data_quants
if isinstance(filenames, str):
filenames = [filenames]
elif isinstance(filenames, list):
filenames = filenames
else:
print('Invalid filenames input.')
return stored_variables
var_type = ['data']
if varformat == None:
varformat = '.*'
if get_support_data:
var_type.append('support_data')
try:
varformat = varformat.replace('*', '.*')
var_regex = re.compile(varformat)
except:
print('Error reading the varformat.')
return
for filename in filenames:
cdf_file = cdflib.CDF(filename)
cdf_info = cdf_file.cdf_info()
all_cdf_variables = cdf_info['rVariables'] + cdf_info['zVariables']
for var in all_cdf_variables:
if not re.match(var_regex, var):
continue
var_atts = cdf_file.varattsget(var)
if 'VAR_TYPE' not in var_atts:
continue
if var_atts['VAR_TYPE'] in var_type:
var_properties = cdf_file.varinq(var)
if 'DEPEND_TIME' in var_atts:
x_axis_var = var_atts['DEPEND_TIME']
elif 'DEPEND_0' in var_atts:
x_axis_var = var_atts['DEPEND_0']
else:
print('Cannot find x axis.')
print(
'No attribute named DEPEND_TIME or DEPEND_0 in variable '
+ var)
continue
data_type_description = cdf_file.varinq(x_axis_var)[
'Data_Type_Description']
var_name = prefix + var + suffix
to_merge = False
if var_name in data_quants.keys() and merge == True:
prev_data_quant = data_quants[var_name].data
to_merge = True
if epoch_cache.get(filename + x_axis_var) is None:
xdata = cdf_file.varget(x_axis_var)
if ('CDF_TIME' in data_type_description or 'CDF_EPOCH' in
data_type_description):
xdata = cdflib.cdfepoch.unixtime(xdata)
epoch_cache[filename + x_axis_var] = xdata
else:
xdata = epoch_cache[filename + x_axis_var]
ydata = cdf_file.varget(var)
if ydata is None:
continue
if 'FILLVAL' in var_atts:
if var_properties['Data_Type_Description'
] == 'CDF_FLOAT' or var_properties[
'Data_Type_Description'
] == 'CDF_REAL4' or var_properties[
'Data_Type_Description'
] == 'CDF_DOUBLE' or var_properties[
'Data_Type_Description'] == 'CDF_REAL8':
if ydata[ydata == var_atts['FILLVAL']].size != 0:
ydata[ydata == var_atts['FILLVAL']] = np.nan
tplot_data = {'x': xdata, 'y': ydata}
depend_1 = None
depend_2 = None
if 'DEPEND_1' in var_atts:
if var_atts['DEPEND_1'] in all_cdf_variables:
depend_1 = cdf_file.varget(var_atts['DEPEND_1'])
if 'DEPEND_2' in var_atts:
if var_atts['DEPEND_2'] in all_cdf_variables:
depend_2 = cdf_file.varget(var_atts['DEPEND_2'])
if depend_1 is not None and depend_2 is not None:
tplot_data['v1'] = depend_1
tplot_data['v2'] = depend_2
elif depend_1 is not None:
tplot_data['v'] = depend_1
elif depend_2 is not None:
tplot_data['v'] = depend_2
store_data(var_name, data=tplot_data)
if var_name not in stored_variables:
stored_variables.append(var_name)
display_type = var_atts.get('DISPLAY_TYPE', 'time_series')
scale_type = var_atts.get('SCALE_TYP', 'linear')
if display_type == 'spectrogram':
options(var, 'spec', 1)
if scale_type == 'log':
options(var, 'ylog', 1)
if to_merge:
cur_data_quant = data_quants[var_name].data
merged_data = [prev_data_quant, cur_data_quant]
data_quants[var_name].data = pd.concat(merged_data)
cdf_file.close() if hasattr(cdf_file, 'close') else None
if plot:
tplot(stored_variables)
return stored_variables
|
cdf_to_tplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames, varformat=None, get_support_data=False, prefix='', suffix=\n '', plot=False, merge=False):\n stored_variables = []\n epoch_cache = {}\n global data_quants\n if isinstance(filenames, str):\n filenames = [filenames]\n elif isinstance(filenames, list):\n filenames = filenames\n else:\n print('Invalid filenames input.')\n return stored_variables\n var_type = ['data']\n if varformat == None:\n varformat = '.*'\n if get_support_data:\n var_type.append('support_data')\n try:\n varformat = varformat.replace('*', '.*')\n var_regex = re.compile(varformat)\n except:\n print('Error reading the varformat.')\n return\n for filename in filenames:\n cdf_file = cdflib.CDF(filename)\n cdf_info = cdf_file.cdf_info()\n all_cdf_variables = cdf_info['rVariables'] + cdf_info['zVariables']\n for var in all_cdf_variables:\n if not re.match(var_regex, var):\n continue\n var_atts = cdf_file.varattsget(var)\n if 'VAR_TYPE' not in var_atts:\n continue\n if var_atts['VAR_TYPE'] in var_type:\n var_properties = cdf_file.varinq(var)\n if 'DEPEND_TIME' in var_atts:\n x_axis_var = var_atts['DEPEND_TIME']\n elif 'DEPEND_0' in var_atts:\n x_axis_var = var_atts['DEPEND_0']\n else:\n print('Cannot find x axis.')\n print(\n 'No attribute named DEPEND_TIME or DEPEND_0 in variable '\n + var)\n continue\n data_type_description = cdf_file.varinq(x_axis_var)[\n 'Data_Type_Description']\n var_name = prefix + var + suffix\n to_merge = False\n if var_name in data_quants.keys() and merge == True:\n prev_data_quant = data_quants[var_name].data\n to_merge = True\n if epoch_cache.get(filename + x_axis_var) is None:\n xdata = cdf_file.varget(x_axis_var)\n if ('CDF_TIME' in data_type_description or 'CDF_EPOCH' in\n data_type_description):\n xdata = cdflib.cdfepoch.unixtime(xdata)\n epoch_cache[filename + x_axis_var] = xdata\n else:\n xdata = epoch_cache[filename + x_axis_var]\n ydata = cdf_file.varget(var)\n if ydata is None:\n continue\n if 'FILLVAL' in var_atts:\n if var_properties['Data_Type_Description'\n ] == 'CDF_FLOAT' or var_properties[\n 'Data_Type_Description'\n ] == 'CDF_REAL4' or var_properties[\n 'Data_Type_Description'\n ] == 'CDF_DOUBLE' or var_properties[\n 'Data_Type_Description'] == 'CDF_REAL8':\n if ydata[ydata == var_atts['FILLVAL']].size != 0:\n ydata[ydata == var_atts['FILLVAL']] = np.nan\n tplot_data = {'x': xdata, 'y': ydata}\n depend_1 = None\n depend_2 = None\n if 'DEPEND_1' in var_atts:\n if var_atts['DEPEND_1'] in all_cdf_variables:\n depend_1 = cdf_file.varget(var_atts['DEPEND_1'])\n if 'DEPEND_2' in var_atts:\n if var_atts['DEPEND_2'] in all_cdf_variables:\n depend_2 = cdf_file.varget(var_atts['DEPEND_2'])\n if depend_1 is not None and depend_2 is not None:\n tplot_data['v1'] = depend_1\n tplot_data['v2'] = depend_2\n elif depend_1 is not None:\n tplot_data['v'] = depend_1\n elif depend_2 is not None:\n tplot_data['v'] = depend_2\n store_data(var_name, data=tplot_data)\n if var_name not in stored_variables:\n stored_variables.append(var_name)\n display_type = var_atts.get('DISPLAY_TYPE', 'time_series')\n scale_type = var_atts.get('SCALE_TYP', 'linear')\n if display_type == 'spectrogram':\n options(var, 'spec', 1)\n if scale_type == 'log':\n options(var, 'ylog', 1)\n if to_merge:\n cur_data_quant = data_quants[var_name].data\n merged_data = [prev_data_quant, cur_data_quant]\n data_quants[var_name].data = pd.concat(merged_data)\n cdf_file.close() if hasattr(cdf_file, 'close') else None\n if plot:\n tplot(stored_variables)\n return stored_variables\n",
"role": "user"
},
{
"content": "cdf_to_tplot",
"role": "assistant"
}
] |
def x(name):
if name not in data_quants.keys():
print('That name is currently not in pytplot')
return
print('Start Time: ' + tplot_utilities.int_to_str(data_quants[name].
trange[0]))
print('End Time: ' + tplot_utilities.int_to_str(data_quants[name].
trange[1]))
return data_quants[name].trange[0], data_quants[name].trange[1]
|
get_timespan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if name not in data_quants.keys():\n print('That name is currently not in pytplot')\n return\n print('Start Time: ' + tplot_utilities.int_to_str(data_quants[name].\n trange[0]))\n print('End Time: ' + tplot_utilities.int_to_str(data_quants[name].\n trange[1]))\n return data_quants[name].trange[0], data_quants[name].trange[1]\n",
"role": "user"
},
{
"content": "get_timespan",
"role": "assistant"
}
] |
def x(t, varname=None, databar=False, delete=False, color='black', thick=1,
dash=False):
if not isinstance(t, list):
t = [t]
if not isinstance(t[0], (int, float, complex)):
t1 = []
for time in t:
t1.append(tplot_utilities.str_to_int(time))
t = t1
dim = 'height'
if databar is True:
dim = 'width'
dash_pattern = 'solid'
if dash is True:
dash_pattern = 'dashed'
if delete is True:
tplot_utilities.timebar_delete(t, varname, dim)
return
if varname is None:
num_bars = len(t)
for i in range(num_bars):
tbar = {}
tbar['location'] = t[i]
tbar['dimension'] = dim
tbar['line_color'] = pytplot.tplot_utilities.rgb_color(color)
tbar['line_width'] = thick
tbar['line_dash'] = dash_pattern
for name in data_quants:
temp_data_quants = data_quants[name]
temp_data_quants.time_bar.append(tbar)
else:
if not isinstance(varname, list):
varname = [varname]
for j in varname:
if j not in data_quants.keys():
print(str(j) + 'is currently not in pytplot')
else:
num_bars = len(t)
for i in range(num_bars):
tbar = {}
tbar['location'] = t[i]
tbar['dimension'] = dim
tbar['line_color'] = pytplot.tplot_utilities.rgb_color(
color)
tbar['line_width'] = thick
tbar['line_dash'] = dash_pattern
temp_data_quants = data_quants[j]
temp_data_quants.time_bar.append(tbar)
return
|
timebar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, varname=None, databar=False, delete=False, color='black', thick=1,\n dash=False):\n if not isinstance(t, list):\n t = [t]\n if not isinstance(t[0], (int, float, complex)):\n t1 = []\n for time in t:\n t1.append(tplot_utilities.str_to_int(time))\n t = t1\n dim = 'height'\n if databar is True:\n dim = 'width'\n dash_pattern = 'solid'\n if dash is True:\n dash_pattern = 'dashed'\n if delete is True:\n tplot_utilities.timebar_delete(t, varname, dim)\n return\n if varname is None:\n num_bars = len(t)\n for i in range(num_bars):\n tbar = {}\n tbar['location'] = t[i]\n tbar['dimension'] = dim\n tbar['line_color'] = pytplot.tplot_utilities.rgb_color(color)\n tbar['line_width'] = thick\n tbar['line_dash'] = dash_pattern\n for name in data_quants:\n temp_data_quants = data_quants[name]\n temp_data_quants.time_bar.append(tbar)\n else:\n if not isinstance(varname, list):\n varname = [varname]\n for j in varname:\n if j not in data_quants.keys():\n print(str(j) + 'is currently not in pytplot')\n else:\n num_bars = len(t)\n for i in range(num_bars):\n tbar = {}\n tbar['location'] = t[i]\n tbar['dimension'] = dim\n tbar['line_color'] = pytplot.tplot_utilities.rgb_color(\n color)\n tbar['line_width'] = thick\n tbar['line_dash'] = dash_pattern\n temp_data_quants = data_quants[j]\n temp_data_quants.time_bar.append(tbar)\n return\n",
"role": "user"
},
{
"content": "timebar",
"role": "assistant"
}
] |
def x(name, option, value):
if not isinstance(name, list):
name = [name]
option = option.lower()
for i in name:
if i not in data_quants.keys():
print(str(i) + ' is currently not in pytplot.')
return
if option == 'color':
if isinstance(value, list):
data_quants[i].extras['line_color'] = value
else:
data_quants[i].extras['line_color'] = [value]
if option == 'link':
if isinstance(value, list):
data_quants[i].link_to_tvar(value[0], value[1])
if option == 'colormap':
if isinstance(value, list):
data_quants[i].extras['colormap'] = value
else:
data_quants[i].extras['colormap'] = [value]
if option == 'spec':
_reset_plots(i)
data_quants[i].extras['spec'] = value
if option == 'alt':
_reset_plots(i)
data_quants[i].extras['alt'] = value
if option == 'map':
_reset_plots(i)
data_quants[i].extras['map'] = value
if option == 'legend_names':
data_quants[i].yaxis_opt['legend_names'] = value
if option == 'xlog_interactive':
if value:
data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'log'
else:
data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'linear'
if option == 'ylog':
negflag = _ylog_check(data_quants, value, i)
if negflag == 0:
data_quants[i].yaxis_opt['y_axis_type'] = 'log'
else:
data_quants[i].yaxis_opt['y_axis_type'] = 'linear'
if option == 'ylog_interactive':
if value:
data_quants[i].interactive_yaxis_opt['yi_axis_type'] = 'log'
else:
data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'linear'
if option == 'zlog':
negflag = _zlog_check(data_quants, value, i)
if negflag == 0:
data_quants[i].zaxis_opt['z_axis_type'] = 'log'
else:
data_quants[i].zaxis_opt['z_axis_type'] = 'linear'
if option == 'nodata':
data_quants[i].line_opt['visible'] = value
if option == 'line_style':
to_be = []
if value == 0 or value == 'solid_line':
to_be = []
elif value == 1 or value == 'dot':
to_be = [2, 4]
elif value == 2 or value == 'dash':
to_be = [6]
elif value == 3 or value == 'dash_dot':
to_be = [6, 4, 2, 4]
elif value == 4 or value == 'dash_dot_dot_dot':
to_be = [6, 4, 2, 4, 2, 4, 2, 4]
elif value == 5 or value == 'long_dash':
to_be = [10]
data_quants[i].line_opt['line_dash'] = to_be
if value == 6 or value == 'none':
data_quants[i].line_opt['visible'] = False
if option == 'char_size':
data_quants[i].extras['char_size'] = value
if option == 'name':
data_quants[i].line_opt['name'] = value
if option == 'panel_size':
if value > 1 or value <= 0:
print('Invalid value. Should be (0, 1]')
return
data_quants[i].extras['panel_size'] = value
if option == 'basemap':
data_quants[i].extras['basemap'] = value
if option == 'alpha':
if value > 1 or value < 0:
print('Invalid value. Should be [0, 1]')
return
data_quants[i].extras['alpha'] = value
if option == 'thick':
data_quants[i].line_opt['line_width'] = value
if option == ('yrange' or 'y_range'):
data_quants[i].yaxis_opt['y_range'] = [value[0], value[1]]
if option == ('zrange' or 'z_range'):
data_quants[i].zaxis_opt['z_range'] = [value[0], value[1]]
if option == 'xrange_interactive':
data_quants[i].interactive_xaxis_opt['xi_range'] = [value[0],
value[1]]
if option == 'yrange_interactive':
data_quants[i].interactive_yaxis_opt['yi_range'] = [value[0],
value[1]]
if option == 'xtitle':
data_quants[i].xaxis_opt['axis_label'] = value
if option == 'ytitle':
data_quants[i].yaxis_opt['axis_label'] = value
if option == 'ztitle':
data_quants[i].zaxis_opt['axis_label'] = value
if option == 'plotter':
_reset_plots(i)
data_quants[i].extras['plotter'] = value
if option == 'crosshair_x':
data_quants[i].xaxis_opt['crosshair'] = value
if option == 'crosshair_y':
data_quants[i].yaxis_opt['crosshair'] = value
if option == 'crosshair_z':
data_quants[i].zaxis_opt['crosshair'] = value
if option == 'static':
data_quants[i].extras['static'] = value
if option == 'static_tavg':
data_quants[i].extras['static_tavg'] = [value[0], value[1]]
if option == 't_average':
data_quants[i].extras['t_average'] = value
return
|
options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, option, value):\n if not isinstance(name, list):\n name = [name]\n option = option.lower()\n for i in name:\n if i not in data_quants.keys():\n print(str(i) + ' is currently not in pytplot.')\n return\n if option == 'color':\n if isinstance(value, list):\n data_quants[i].extras['line_color'] = value\n else:\n data_quants[i].extras['line_color'] = [value]\n if option == 'link':\n if isinstance(value, list):\n data_quants[i].link_to_tvar(value[0], value[1])\n if option == 'colormap':\n if isinstance(value, list):\n data_quants[i].extras['colormap'] = value\n else:\n data_quants[i].extras['colormap'] = [value]\n if option == 'spec':\n _reset_plots(i)\n data_quants[i].extras['spec'] = value\n if option == 'alt':\n _reset_plots(i)\n data_quants[i].extras['alt'] = value\n if option == 'map':\n _reset_plots(i)\n data_quants[i].extras['map'] = value\n if option == 'legend_names':\n data_quants[i].yaxis_opt['legend_names'] = value\n if option == 'xlog_interactive':\n if value:\n data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'log'\n else:\n data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'linear'\n if option == 'ylog':\n negflag = _ylog_check(data_quants, value, i)\n if negflag == 0:\n data_quants[i].yaxis_opt['y_axis_type'] = 'log'\n else:\n data_quants[i].yaxis_opt['y_axis_type'] = 'linear'\n if option == 'ylog_interactive':\n if value:\n data_quants[i].interactive_yaxis_opt['yi_axis_type'] = 'log'\n else:\n data_quants[i].interactive_xaxis_opt['xi_axis_type'] = 'linear'\n if option == 'zlog':\n negflag = _zlog_check(data_quants, value, i)\n if negflag == 0:\n data_quants[i].zaxis_opt['z_axis_type'] = 'log'\n else:\n data_quants[i].zaxis_opt['z_axis_type'] = 'linear'\n if option == 'nodata':\n data_quants[i].line_opt['visible'] = value\n if option == 'line_style':\n to_be = []\n if value == 0 or value == 'solid_line':\n to_be = []\n elif value == 1 or value == 'dot':\n to_be = [2, 4]\n elif value == 2 or value == 'dash':\n to_be = [6]\n elif value == 3 or value == 'dash_dot':\n to_be = [6, 4, 2, 4]\n elif value == 4 or value == 'dash_dot_dot_dot':\n to_be = [6, 4, 2, 4, 2, 4, 2, 4]\n elif value == 5 or value == 'long_dash':\n to_be = [10]\n data_quants[i].line_opt['line_dash'] = to_be\n if value == 6 or value == 'none':\n data_quants[i].line_opt['visible'] = False\n if option == 'char_size':\n data_quants[i].extras['char_size'] = value\n if option == 'name':\n data_quants[i].line_opt['name'] = value\n if option == 'panel_size':\n if value > 1 or value <= 0:\n print('Invalid value. Should be (0, 1]')\n return\n data_quants[i].extras['panel_size'] = value\n if option == 'basemap':\n data_quants[i].extras['basemap'] = value\n if option == 'alpha':\n if value > 1 or value < 0:\n print('Invalid value. Should be [0, 1]')\n return\n data_quants[i].extras['alpha'] = value\n if option == 'thick':\n data_quants[i].line_opt['line_width'] = value\n if option == ('yrange' or 'y_range'):\n data_quants[i].yaxis_opt['y_range'] = [value[0], value[1]]\n if option == ('zrange' or 'z_range'):\n data_quants[i].zaxis_opt['z_range'] = [value[0], value[1]]\n if option == 'xrange_interactive':\n data_quants[i].interactive_xaxis_opt['xi_range'] = [value[0],\n value[1]]\n if option == 'yrange_interactive':\n data_quants[i].interactive_yaxis_opt['yi_range'] = [value[0],\n value[1]]\n if option == 'xtitle':\n data_quants[i].xaxis_opt['axis_label'] = value\n if option == 'ytitle':\n data_quants[i].yaxis_opt['axis_label'] = value\n if option == 'ztitle':\n data_quants[i].zaxis_opt['axis_label'] = value\n if option == 'plotter':\n _reset_plots(i)\n data_quants[i].extras['plotter'] = value\n if option == 'crosshair_x':\n data_quants[i].xaxis_opt['crosshair'] = value\n if option == 'crosshair_y':\n data_quants[i].yaxis_opt['crosshair'] = value\n if option == 'crosshair_z':\n data_quants[i].zaxis_opt['crosshair'] = value\n if option == 'static':\n data_quants[i].extras['static'] = value\n if option == 'static_tavg':\n data_quants[i].extras['static_tavg'] = [value[0], value[1]]\n if option == 't_average':\n data_quants[i].extras['t_average'] = value\n return\n",
"role": "user"
},
{
"content": "options",
"role": "assistant"
}
] |
def x(filename):
if not os.path.isfile(filename):
print('Not a valid file name')
return
if filename.endswith('.tplot'):
temp_tplot = readsav(filename)
for i in range(len(temp_tplot['dq'])):
data_name = temp_tplot['dq'][i][0].decode('utf-8')
temp_x_data = temp_tplot['dq'][i][1][0][0]
if len(temp_tplot['dq'][i][1][0][2].shape) == 2:
temp_y_data = np.transpose(temp_tplot['dq'][i][1][0][2])
else:
temp_y_data = temp_tplot['dq'][i][1][0][2]
if len(temp_tplot['dq'][i][1][0]) > 4:
temp_v_data = temp_tplot['dq'][i][1][0][4]
if temp_x_data.dtype.byteorder == '>':
temp_x_data = temp_x_data.byteswap().newbyteorder()
if temp_y_data.dtype.byteorder == '>':
temp_y_data = temp_y_data.byteswap().newbyteorder()
if temp_v_data.dtype.byteorder == '>':
temp_v_data = temp_v_data.byteswap().newbyteorder()
store_data(data_name, data={'x': temp_x_data, 'y':
temp_y_data, 'v': temp_v_data})
else:
if temp_x_data.dtype.byteorder == '>':
temp_x_data = temp_x_data.byteswap().newbyteorder()
if temp_y_data.dtype.byteorder == '>':
temp_y_data = temp_y_data.byteswap().newbyteorder()
store_data(data_name, data={'x': temp_x_data, 'y': temp_y_data}
)
if temp_tplot['dq'][i][3].dtype.names is not None:
for option_name in temp_tplot['dq'][i][3].dtype.names:
options(data_name, option_name, temp_tplot['dq'][i][3][
option_name][0])
data_quants[data_name].trange = temp_tplot['dq'][i][4].tolist()
data_quants[data_name].dtype = temp_tplot['dq'][i][5]
data_quants[data_name].create_time = temp_tplot['dq'][i][6]
for option_name in temp_tplot['tv'][0][0].dtype.names:
if option_name == 'TRANGE':
tplot_options('x_range', temp_tplot['tv'][0][0][
option_name][0])
if option_name == 'WSIZE':
tplot_options('wsize', temp_tplot['tv'][0][0][
option_name][0])
if option_name == 'VAR_LABEL':
tplot_options('var_label', temp_tplot['tv'][0][0][
option_name][0])
if 'P' in temp_tplot['tv'][0][1].tolist():
for option_name in temp_tplot['tv'][0][1]['P'][0].dtype.names:
if option_name == 'TITLE':
tplot_options('title', temp_tplot['tv'][0][1]['P'][
0][option_name][0])
else:
temp = pickle.load(open(filename, 'rb'))
num_data_quants = temp[0]
for i in range(0, num_data_quants):
data_quants[temp[i + 1].name] = temp[i + 1]
tplot_opt_glob = temp[num_data_quants + 1]
return
|
tplot_restore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n if not os.path.isfile(filename):\n print('Not a valid file name')\n return\n if filename.endswith('.tplot'):\n temp_tplot = readsav(filename)\n for i in range(len(temp_tplot['dq'])):\n data_name = temp_tplot['dq'][i][0].decode('utf-8')\n temp_x_data = temp_tplot['dq'][i][1][0][0]\n if len(temp_tplot['dq'][i][1][0][2].shape) == 2:\n temp_y_data = np.transpose(temp_tplot['dq'][i][1][0][2])\n else:\n temp_y_data = temp_tplot['dq'][i][1][0][2]\n if len(temp_tplot['dq'][i][1][0]) > 4:\n temp_v_data = temp_tplot['dq'][i][1][0][4]\n if temp_x_data.dtype.byteorder == '>':\n temp_x_data = temp_x_data.byteswap().newbyteorder()\n if temp_y_data.dtype.byteorder == '>':\n temp_y_data = temp_y_data.byteswap().newbyteorder()\n if temp_v_data.dtype.byteorder == '>':\n temp_v_data = temp_v_data.byteswap().newbyteorder()\n store_data(data_name, data={'x': temp_x_data, 'y':\n temp_y_data, 'v': temp_v_data})\n else:\n if temp_x_data.dtype.byteorder == '>':\n temp_x_data = temp_x_data.byteswap().newbyteorder()\n if temp_y_data.dtype.byteorder == '>':\n temp_y_data = temp_y_data.byteswap().newbyteorder()\n store_data(data_name, data={'x': temp_x_data, 'y': temp_y_data}\n )\n if temp_tplot['dq'][i][3].dtype.names is not None:\n for option_name in temp_tplot['dq'][i][3].dtype.names:\n options(data_name, option_name, temp_tplot['dq'][i][3][\n option_name][0])\n data_quants[data_name].trange = temp_tplot['dq'][i][4].tolist()\n data_quants[data_name].dtype = temp_tplot['dq'][i][5]\n data_quants[data_name].create_time = temp_tplot['dq'][i][6]\n for option_name in temp_tplot['tv'][0][0].dtype.names:\n if option_name == 'TRANGE':\n tplot_options('x_range', temp_tplot['tv'][0][0][\n option_name][0])\n if option_name == 'WSIZE':\n tplot_options('wsize', temp_tplot['tv'][0][0][\n option_name][0])\n if option_name == 'VAR_LABEL':\n tplot_options('var_label', temp_tplot['tv'][0][0][\n option_name][0])\n if 'P' in temp_tplot['tv'][0][1].tolist():\n for option_name in temp_tplot['tv'][0][1]['P'][0].dtype.names:\n if option_name == 'TITLE':\n tplot_options('title', temp_tplot['tv'][0][1]['P'][\n 0][option_name][0])\n else:\n temp = pickle.load(open(filename, 'rb'))\n num_data_quants = temp[0]\n for i in range(0, num_data_quants):\n data_quants[temp[i + 1].name] = temp[i + 1]\n tplot_opt_glob = temp[num_data_quants + 1]\n return\n",
"role": "user"
},
{
"content": "tplot_restore",
"role": "assistant"
}
] |
def x(t1, dt, keyword='days'):
if keyword is 'days':
dt *= 86400
elif keyword is 'hours':
dt *= 3600
elif keyword is 'minutes':
dt *= 60
elif keyword is 'seconds':
dt *= 1
else:
print(
"Invalid 'keyword' option.\nEnum(None, 'hours', 'minutes', 'seconds', 'days')"
)
if not isinstance(t1, (int, float, complex)):
t1 = tplot_utilities.str_to_int(t1)
t2 = t1 + dt
xlim(t1, t2)
return
|
timespan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t1, dt, keyword='days'):\n if keyword is 'days':\n dt *= 86400\n elif keyword is 'hours':\n dt *= 3600\n elif keyword is 'minutes':\n dt *= 60\n elif keyword is 'seconds':\n dt *= 1\n else:\n print(\n \"Invalid 'keyword' option.\\nEnum(None, 'hours', 'minutes', 'seconds', 'days')\"\n )\n if not isinstance(t1, (int, float, complex)):\n t1 = tplot_utilities.str_to_int(t1)\n t2 = t1 + dt\n xlim(t1, t2)\n return\n",
"role": "user"
},
{
"content": "timespan",
"role": "assistant"
}
] |
def x(option, value):
option = option.lower()
temp = tplot_utilities.set_tplot_options(option, value, pytplot.
tplot_opt_glob)
pytplot.tplot_opt_glob = temp
return
|
tplot_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(option, value):\n option = option.lower()\n temp = tplot_utilities.set_tplot_options(option, value, pytplot.\n tplot_opt_glob)\n pytplot.tplot_opt_glob = temp\n return\n",
"role": "user"
},
{
"content": "tplot_options",
"role": "assistant"
}
] |
def x(name, var_label=None, auto_color=True, interactive=False,
combine_axes=True, nb=False, save_file=None, gui=False, qt=False, bokeh
=False, save_png=None, display=True, testing=False):
if not pytplot.using_graphics and save_file is None:
print(
'Qt was not successfully imported. Specify save_file to save the file as a .html file.'
)
return
if not isinstance(name, list):
name = [name]
num_plots = 1
else:
num_plots = len(name)
for i in range(num_plots):
if isinstance(name[i], int):
name[i] = list(pytplot.data_quants.keys())[name[i]]
if name[i] not in pytplot.data_quants.keys():
print(str(i) + ' is currently not in pytplot')
return
if isinstance(var_label, int):
var_label = list(pytplot.data_quants.keys())[var_label]
if bokeh:
layout = HTMLPlotter.generate_stack(name, var_label=var_label,
auto_color=auto_color, combine_axes=combine_axes, interactive=
interactive)
if gui:
script, div = components(layout)
return script, div
elif nb:
output_notebook()
show(layout)
return
elif save_file is not None:
output_file(save_file, mode='inline')
save(layout)
return
elif qt:
available_qt_window = tplot_utilities.get_available_qt_window()
dir_path = tempfile.gettempdir()
output_file(os.path.join(dir_path, 'temp.html'), mode='inline')
save(layout)
new_layout = WebView()
available_qt_window.resize(pytplot.tplot_opt_glob['window_size'
][0] + 100, pytplot.tplot_opt_glob['window_size'][1] + 100)
new_layout.resize(pytplot.tplot_opt_glob['window_size'][0],
pytplot.tplot_opt_glob['window_size'][1])
dir_path = tempfile.gettempdir()
new_layout.setUrl(QtCore.QUrl.fromLocalFile(os.path.join(
dir_path, 'temp.html')))
available_qt_window.newlayout(new_layout)
available_qt_window.show()
available_qt_window.activateWindow()
if testing:
return
if not hasattr(sys, 'ps1') or not hasattr(QtCore, 'PYQT_VERSION'):
QtGui.QApplication.instance().exec_()
return
else:
dir_path = tempfile.gettempdir()
output_file(os.path.join(dir_path, 'temp.html'), mode='inline')
show(layout)
return
else:
if save_png is not None:
layout = QtPlotter.generate_stack(name, var_label=var_label,
combine_axes=combine_axes, mouse_moved_event=pytplot.
hover_time.change_hover_time)
layout.resize(pytplot.tplot_opt_glob['window_size'][0], pytplot
.tplot_opt_glob['window_size'][1])
for i, item in enumerate(layout.items()):
if type(item
) == pg.graphicsItems.GraphicsLayout.GraphicsLayout:
layout.items()[i].resize(pytplot.tplot_opt_glob[
'window_size'][0], pytplot.tplot_opt_glob[
'window_size'][1])
exporter = PyTPlot_Exporter.PytplotExporter(layout)
exporter.parameters()['width'] = pytplot.tplot_opt_glob[
'window_size'][0]
exporter.parameters()['height'] = pytplot.tplot_opt_glob[
'window_size'][1]
exporter.export(save_png)
if display:
layout_orig = QtPlotter.generate_stack(name, var_label=
var_label, combine_axes=combine_axes, mouse_moved_event=
pytplot.hover_time.change_hover_time)
layout_orig.resize(pytplot.tplot_opt_glob['window_size'][0],
pytplot.tplot_opt_glob['window_size'][1])
for i, item in enumerate(layout_orig.items()):
if type(item
) == pg.graphicsItems.GraphicsLayout.GraphicsLayout:
layout_orig.items()[i].resize(pytplot.tplot_opt_glob[
'window_size'][0], pytplot.tplot_opt_glob[
'window_size'][1])
exporter = QtPlotter.PytplotExporter(layout_orig)
available_qt_window = tplot_utilities.get_available_qt_window()
layout = QtPlotter.generate_stack(name, var_label=var_label,
combine_axes=combine_axes, mouse_moved_event=pytplot.
hover_time.change_hover_time)
available_qt_window.newlayout(layout)
available_qt_window.resize(pytplot.tplot_opt_glob['window_size'
][0], pytplot.tplot_opt_glob['window_size'][1])
available_qt_window.init_savepng(exporter)
available_qt_window.show()
available_qt_window.activateWindow()
if interactive:
interactiveplot.interactiveplot()
static_list = [i for i in name if 'static' in pytplot.
data_quants[i].extras]
for tplot_var in static_list:
staticplot.static2dplot(tplot_var, pytplot.data_quants[
tplot_var].extras['static'])
static_tavg_list = [i for i in name if 'static_tavg' in pytplot
.data_quants[i].extras]
for tplot_var in static_tavg_list:
staticplot_tavg.static2dplot_timeaveraged(tplot_var,
pytplot.data_quants[tplot_var].extras['static_tavg'])
if testing:
return
if not hasattr(sys, 'ps1') or not hasattr(QtCore, 'PYQT_VERSION'):
QtGui.QApplication.instance().exec_()
return
|
tplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, var_label=None, auto_color=True, interactive=False,\n combine_axes=True, nb=False, save_file=None, gui=False, qt=False, bokeh\n =False, save_png=None, display=True, testing=False):\n if not pytplot.using_graphics and save_file is None:\n print(\n 'Qt was not successfully imported. Specify save_file to save the file as a .html file.'\n )\n return\n if not isinstance(name, list):\n name = [name]\n num_plots = 1\n else:\n num_plots = len(name)\n for i in range(num_plots):\n if isinstance(name[i], int):\n name[i] = list(pytplot.data_quants.keys())[name[i]]\n if name[i] not in pytplot.data_quants.keys():\n print(str(i) + ' is currently not in pytplot')\n return\n if isinstance(var_label, int):\n var_label = list(pytplot.data_quants.keys())[var_label]\n if bokeh:\n layout = HTMLPlotter.generate_stack(name, var_label=var_label,\n auto_color=auto_color, combine_axes=combine_axes, interactive=\n interactive)\n if gui:\n script, div = components(layout)\n return script, div\n elif nb:\n output_notebook()\n show(layout)\n return\n elif save_file is not None:\n output_file(save_file, mode='inline')\n save(layout)\n return\n elif qt:\n available_qt_window = tplot_utilities.get_available_qt_window()\n dir_path = tempfile.gettempdir()\n output_file(os.path.join(dir_path, 'temp.html'), mode='inline')\n save(layout)\n new_layout = WebView()\n available_qt_window.resize(pytplot.tplot_opt_glob['window_size'\n ][0] + 100, pytplot.tplot_opt_glob['window_size'][1] + 100)\n new_layout.resize(pytplot.tplot_opt_glob['window_size'][0],\n pytplot.tplot_opt_glob['window_size'][1])\n dir_path = tempfile.gettempdir()\n new_layout.setUrl(QtCore.QUrl.fromLocalFile(os.path.join(\n dir_path, 'temp.html')))\n available_qt_window.newlayout(new_layout)\n available_qt_window.show()\n available_qt_window.activateWindow()\n if testing:\n return\n if not hasattr(sys, 'ps1') or not hasattr(QtCore, 'PYQT_VERSION'):\n QtGui.QApplication.instance().exec_()\n return\n else:\n dir_path = tempfile.gettempdir()\n output_file(os.path.join(dir_path, 'temp.html'), mode='inline')\n show(layout)\n return\n else:\n if save_png is not None:\n layout = QtPlotter.generate_stack(name, var_label=var_label,\n combine_axes=combine_axes, mouse_moved_event=pytplot.\n hover_time.change_hover_time)\n layout.resize(pytplot.tplot_opt_glob['window_size'][0], pytplot\n .tplot_opt_glob['window_size'][1])\n for i, item in enumerate(layout.items()):\n if type(item\n ) == pg.graphicsItems.GraphicsLayout.GraphicsLayout:\n layout.items()[i].resize(pytplot.tplot_opt_glob[\n 'window_size'][0], pytplot.tplot_opt_glob[\n 'window_size'][1])\n exporter = PyTPlot_Exporter.PytplotExporter(layout)\n exporter.parameters()['width'] = pytplot.tplot_opt_glob[\n 'window_size'][0]\n exporter.parameters()['height'] = pytplot.tplot_opt_glob[\n 'window_size'][1]\n exporter.export(save_png)\n if display:\n layout_orig = QtPlotter.generate_stack(name, var_label=\n var_label, combine_axes=combine_axes, mouse_moved_event=\n pytplot.hover_time.change_hover_time)\n layout_orig.resize(pytplot.tplot_opt_glob['window_size'][0],\n pytplot.tplot_opt_glob['window_size'][1])\n for i, item in enumerate(layout_orig.items()):\n if type(item\n ) == pg.graphicsItems.GraphicsLayout.GraphicsLayout:\n layout_orig.items()[i].resize(pytplot.tplot_opt_glob[\n 'window_size'][0], pytplot.tplot_opt_glob[\n 'window_size'][1])\n exporter = QtPlotter.PytplotExporter(layout_orig)\n available_qt_window = tplot_utilities.get_available_qt_window()\n layout = QtPlotter.generate_stack(name, var_label=var_label,\n combine_axes=combine_axes, mouse_moved_event=pytplot.\n hover_time.change_hover_time)\n available_qt_window.newlayout(layout)\n available_qt_window.resize(pytplot.tplot_opt_glob['window_size'\n ][0], pytplot.tplot_opt_glob['window_size'][1])\n available_qt_window.init_savepng(exporter)\n available_qt_window.show()\n available_qt_window.activateWindow()\n if interactive:\n interactiveplot.interactiveplot()\n static_list = [i for i in name if 'static' in pytplot.\n data_quants[i].extras]\n for tplot_var in static_list:\n staticplot.static2dplot(tplot_var, pytplot.data_quants[\n tplot_var].extras['static'])\n static_tavg_list = [i for i in name if 'static_tavg' in pytplot\n .data_quants[i].extras]\n for tplot_var in static_tavg_list:\n staticplot_tavg.static2dplot_timeaveraged(tplot_var,\n pytplot.data_quants[tplot_var].extras['static_tavg'])\n if testing:\n return\n if not hasattr(sys, 'ps1') or not hasattr(QtCore, 'PYQT_VERSION'):\n QtGui.QApplication.instance().exec_()\n return\n",
"role": "user"
},
{
"content": "tplot",
"role": "assistant"
}
] |
def x(var, time):
names = list(pytplot.data_quants.keys())
valid_variables = tplot_utilities.get_data(names)
if valid_variables:
labels = tplot_utilities.get_labels_axis_types(names)
data = {}
for name in valid_variables:
bins = tplot_utilities.get_bins(name)
time_values, z_values = tplot_utilities.get_z_t_values(name)
data[name] = [bins, z_values, time_values]
pytplot.static_tavg_window = pg.GraphicsWindow()
pytplot.static_tavg_window.resize(1000, 600)
pytplot.static_tavg_window.setWindowTitle(
'Time-Averaged Values Static Window')
plot = pytplot.static_tavg_window.addPlot(title=
'2D Static Plot for Time-Averaged Values', row=0, col=0)
plot_data = plot.plot([], [])
if var in valid_variables:
t_min = np.nanmin(time_values)
t_min_str = tplot_utilities.int_to_str(np.nanmin(time_values))
t_min_conv_back = tplot_utilities.str_to_int(t_min_str)
t_max = np.nanmax(time_values)
t_max_str = tplot_utilities.int_to_str(np.nanmax(time_values))
t_max_conv_back = tplot_utilities.str_to_int(t_max_str)
user_time = [tplot_utilities.str_to_int(i) for i in time]
for t, datetime in enumerate(user_time):
if datetime not in range(t_min_conv_back, t_max_conv_back + 1):
while True:
try:
if t == 0:
time_bound = 'left bound'
else:
time_bound = 'right bound'
user_time[t] = tplot_utilities.str_to_int(input
(
'Chosen {} time [{}] not in range of data [{} to {}]. Input new time (%Y-%m-%d %H:%M:%S).'
.format(time_bound, tplot_utilities.
int_to_str(datetime), t_min_str, t_max_str)))
except ValueError:
continue
else:
if user_time[t] not in range(int(t_min), int(t_max)
):
continue
else:
break
time_array = np.array(data[var][2])
array = np.asarray(time_array)
idx = [np.abs(array - i).argmin() for i in user_time]
time_diff = abs(idx[0] - idx[1])
if idx[1] != -1:
y_values_slice = data[name][1][idx[0]:idx[1] + 1]
else:
y_values_slice = data[name][1][idx[0]:]
y_values_avgd = np.nansum(y_values_slice, axis=0) / np.float(
time_diff)
x_axis = False
y_axis = False
if np.nanmin(data[name][0][:]) < 0:
print('Negative data is incompatible with log plotting.')
elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2] == 'log':
x_axis = True
if np.nanmin(list(data[name][1][idx[0]])) < 0 or np.nanmin(list
(data[name][1][idx[1]])) < 0:
print('Negative data is incompatible with log plotting')
elif np.nanmin(list(data[name][1][idx[0]])) >= 0 and np.nanmin(list
(data[name][1][idx[1]])) >= 0 and labels[name][3] == 'log':
y_axis = True
plot.setLabel('bottom', '{}'.format(labels[name][0]))
plot.setLabel('left', '{}'.format(labels[name][1]))
plot.setLogMode(x=x_axis, y=y_axis)
tplot_utilities.set_x_range(name, x_axis, plot)
tplot_utilities.set_y_range(name, y_axis, plot)
plot_data.setData(data[var][0][:], y_values_avgd)
|
static2dplot_timeaveraged
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(var, time):\n names = list(pytplot.data_quants.keys())\n valid_variables = tplot_utilities.get_data(names)\n if valid_variables:\n labels = tplot_utilities.get_labels_axis_types(names)\n data = {}\n for name in valid_variables:\n bins = tplot_utilities.get_bins(name)\n time_values, z_values = tplot_utilities.get_z_t_values(name)\n data[name] = [bins, z_values, time_values]\n pytplot.static_tavg_window = pg.GraphicsWindow()\n pytplot.static_tavg_window.resize(1000, 600)\n pytplot.static_tavg_window.setWindowTitle(\n 'Time-Averaged Values Static Window')\n plot = pytplot.static_tavg_window.addPlot(title=\n '2D Static Plot for Time-Averaged Values', row=0, col=0)\n plot_data = plot.plot([], [])\n if var in valid_variables:\n t_min = np.nanmin(time_values)\n t_min_str = tplot_utilities.int_to_str(np.nanmin(time_values))\n t_min_conv_back = tplot_utilities.str_to_int(t_min_str)\n t_max = np.nanmax(time_values)\n t_max_str = tplot_utilities.int_to_str(np.nanmax(time_values))\n t_max_conv_back = tplot_utilities.str_to_int(t_max_str)\n user_time = [tplot_utilities.str_to_int(i) for i in time]\n for t, datetime in enumerate(user_time):\n if datetime not in range(t_min_conv_back, t_max_conv_back + 1):\n while True:\n try:\n if t == 0:\n time_bound = 'left bound'\n else:\n time_bound = 'right bound'\n user_time[t] = tplot_utilities.str_to_int(input\n (\n 'Chosen {} time [{}] not in range of data [{} to {}]. Input new time (%Y-%m-%d %H:%M:%S).'\n .format(time_bound, tplot_utilities.\n int_to_str(datetime), t_min_str, t_max_str)))\n except ValueError:\n continue\n else:\n if user_time[t] not in range(int(t_min), int(t_max)\n ):\n continue\n else:\n break\n time_array = np.array(data[var][2])\n array = np.asarray(time_array)\n idx = [np.abs(array - i).argmin() for i in user_time]\n time_diff = abs(idx[0] - idx[1])\n if idx[1] != -1:\n y_values_slice = data[name][1][idx[0]:idx[1] + 1]\n else:\n y_values_slice = data[name][1][idx[0]:]\n y_values_avgd = np.nansum(y_values_slice, axis=0) / np.float(\n time_diff)\n x_axis = False\n y_axis = False\n if np.nanmin(data[name][0][:]) < 0:\n print('Negative data is incompatible with log plotting.')\n elif np.nanmin(data[name][0][:]) >= 0 and labels[name][2] == 'log':\n x_axis = True\n if np.nanmin(list(data[name][1][idx[0]])) < 0 or np.nanmin(list\n (data[name][1][idx[1]])) < 0:\n print('Negative data is incompatible with log plotting')\n elif np.nanmin(list(data[name][1][idx[0]])) >= 0 and np.nanmin(list\n (data[name][1][idx[1]])) >= 0 and labels[name][3] == 'log':\n y_axis = True\n plot.setLabel('bottom', '{}'.format(labels[name][0]))\n plot.setLabel('left', '{}'.format(labels[name][1]))\n plot.setLogMode(x=x_axis, y=y_axis)\n tplot_utilities.set_x_range(name, x_axis, plot)\n tplot_utilities.set_y_range(name, y_axis, plot)\n plot_data.setData(data[var][0][:], y_values_avgd)\n",
"role": "user"
},
{
"content": "static2dplot_timeaveraged",
"role": "assistant"
}
] |
def x(names, filename=None):
if isinstance(names, int):
names = list(data_quants.keys())[names - 1]
if not isinstance(names, list):
names = [names]
for name in names:
if isinstance(data_quants[name].data, list):
for data_name in data_quants[name].data:
if data_name not in names:
names.append(data_name)
to_pickle = []
for name in names:
if name not in data_quants.keys():
print('That name is currently not in pytplot')
return
to_pickle.append(data_quants[name])
num_quants = len(to_pickle)
to_pickle = [num_quants] + to_pickle
temp_tplot_opt_glob = tplot_opt_glob
to_pickle.append(temp_tplot_opt_glob)
if filename == None:
filename = 'var_' + '-'.join(names) + '.pytplot'
pickle.dump(to_pickle, open(filename, 'wb'))
return
|
tplot_save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(names, filename=None):\n if isinstance(names, int):\n names = list(data_quants.keys())[names - 1]\n if not isinstance(names, list):\n names = [names]\n for name in names:\n if isinstance(data_quants[name].data, list):\n for data_name in data_quants[name].data:\n if data_name not in names:\n names.append(data_name)\n to_pickle = []\n for name in names:\n if name not in data_quants.keys():\n print('That name is currently not in pytplot')\n return\n to_pickle.append(data_quants[name])\n num_quants = len(to_pickle)\n to_pickle = [num_quants] + to_pickle\n temp_tplot_opt_glob = tplot_opt_glob\n to_pickle.append(temp_tplot_opt_glob)\n if filename == None:\n filename = 'var_' + '-'.join(names) + '.pytplot'\n pickle.dump(to_pickle, open(filename, 'wb'))\n return\n",
"role": "user"
},
{
"content": "tplot_save",
"role": "assistant"
}
] |
def x(name, trg=None):
if isinstance(name, int):
name = list(data_quants.keys())[name - 1]
if not isinstance(name, list):
name = [name]
name_num = len(name)
ymin = None
ymax = None
for i in range(name_num):
if name[i] not in data_quants.keys():
print(str(name[i]) + ' is currently not in pytplot.')
return
temp_data_quant = data_quants[name[i]]
yother = temp_data_quant.data
if trg is not None:
for column_name in yother.columns:
y = yother[column_name]
trunc_tempt_data_quant = y.truncate(before=trg[0], after=trg[1]
)
loc_min = trunc_tempt_data_quant.min(skipna=True)
loc_max = trunc_tempt_data_quant.max(skipna=True)
if ymin is None or loc_min < ymin:
ymin = loc_min
if ymax is None or loc_max > ymax:
ymax = loc_max
else:
for column_name in yother.columns:
y = yother[column_name]
loc_min = y.min(skipna=True)
loc_max = y.max(skipna=False)
if ymin is None or loc_min < ymin:
ymin = loc_min
if ymax is None or loc_max > ymax:
ymax = loc_max
print('Y Minimum: ' + str(ymin))
print('Y Maximum: ' + str(ymax))
return ymin, ymax
|
get_ylimits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, trg=None):\n if isinstance(name, int):\n name = list(data_quants.keys())[name - 1]\n if not isinstance(name, list):\n name = [name]\n name_num = len(name)\n ymin = None\n ymax = None\n for i in range(name_num):\n if name[i] not in data_quants.keys():\n print(str(name[i]) + ' is currently not in pytplot.')\n return\n temp_data_quant = data_quants[name[i]]\n yother = temp_data_quant.data\n if trg is not None:\n for column_name in yother.columns:\n y = yother[column_name]\n trunc_tempt_data_quant = y.truncate(before=trg[0], after=trg[1]\n )\n loc_min = trunc_tempt_data_quant.min(skipna=True)\n loc_max = trunc_tempt_data_quant.max(skipna=True)\n if ymin is None or loc_min < ymin:\n ymin = loc_min\n if ymax is None or loc_max > ymax:\n ymax = loc_max\n else:\n for column_name in yother.columns:\n y = yother[column_name]\n loc_min = y.min(skipna=True)\n loc_max = y.max(skipna=False)\n if ymin is None or loc_min < ymin:\n ymin = loc_min\n if ymax is None or loc_max > ymax:\n ymax = loc_max\n print('Y Minimum: ' + str(ymin))\n print('Y Maximum: ' + str(ymax))\n return ymin, ymax\n",
"role": "user"
},
{
"content": "get_ylimits",
"role": "assistant"
}
] |
def x(val):
if val is 'on':
todaystring = datetime.datetime.now().strftime('%Y-%m-%d %H%M%S')
extra_layouts['time_stamp'] = todaystring
elif 'time_stamp' in extra_layouts:
del extra_layouts['time_stamp']
return
|
timestamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n if val is 'on':\n todaystring = datetime.datetime.now().strftime('%Y-%m-%d %H%M%S')\n extra_layouts['time_stamp'] = todaystring\n elif 'time_stamp' in extra_layouts:\n del extra_layouts['time_stamp']\n return\n",
"role": "user"
},
{
"content": "timestamp",
"role": "assistant"
}
] |
def x(data, lut=None, levels=None, scale=None, useRGBA=False):
nanlocations = np.isnan(data)
profile = debug.Profiler()
if data.ndim not in (2, 3):
raise TypeError('data must be 2D or 3D')
if data.ndim == 3 and data.shape[2] > 4:
raise TypeError('data.shape[2] must be <= 4')
if lut is not None and not isinstance(lut, np.ndarray):
lut = np.array(lut)
if levels is None:
if data.dtype.kind == 'u':
levels = np.array([0, 2 ** (data.itemsize * 8) - 1])
elif data.dtype.kind == 'i':
s = 2 ** (data.itemsize * 8 - 1)
levels = np.array([-s, s - 1])
elif data.dtype.kind == 'b':
levels = np.array([0, 1])
else:
raise Exception('levels argument is required for float input types'
)
if not isinstance(levels, np.ndarray):
levels = np.array(levels)
if levels.ndim == 1:
if levels.shape[0] != 2:
raise Exception('levels argument must have length 2')
elif levels.ndim == 2:
if lut is not None and lut.ndim > 1:
raise Exception(
'Cannot make ARGB data when both levels and lut have ndim > 2')
if levels.shape != (data.shape[-1], 2):
raise Exception('levels must have shape (data.shape[-1], 2)')
else:
raise Exception('levels argument must be 1D or 2D (got shape=%s).' %
repr(levels.shape))
profile()
if scale is None:
if lut is not None:
scale = lut.shape[0] - 1
else:
scale = 255.0
if lut is None:
dtype = np.ubyte
else:
dtype = np.min_scalar_type(lut.shape[0] - 1)
if levels is not None:
if isinstance(levels, np.ndarray) and levels.ndim == 2:
if levels.shape[0] != data.shape[-1]:
raise Exception(
'When rescaling multi-channel data, there must be the same number of levels as channels (data.shape[-1] == levels.shape[0])'
)
newData = np.empty(data.shape, dtype=int)
for i in range(data.shape[-1]):
minVal, maxVal = levels[i]
if minVal == maxVal:
maxVal += 1e-16
newData[..., i] = fn.rescaleData(data[..., i], scale / (
maxVal - minVal), minVal, dtype=dtype)
data = newData
else:
minVal, maxVal = levels
if minVal != 0 or maxVal != scale:
if minVal == maxVal:
maxVal += 1e-16
data = fn.rescaleData(data, scale / (maxVal - minVal),
minVal, dtype=dtype)
profile()
if lut is not None:
data = fn.applyLookupTable(data, lut)
elif data.dtype is not np.ubyte:
data = np.clip(data, 0, 255).astype(np.ubyte)
data[nanlocations] = [0, 0, 0, 0]
profile()
imgData = np.empty(data.shape[:2] + (4,), dtype=np.ubyte)
profile()
if useRGBA:
order = [0, 1, 2, 3]
else:
order = [2, 1, 0, 3]
if data.ndim == 2:
for i in range(3):
imgData[..., i] = data
elif data.shape[2] == 1:
for i in range(3):
imgData[..., i] = data[..., 0]
else:
for i in range(0, data.shape[2]):
imgData[..., i] = data[..., order[i]]
profile()
if data.ndim == 2 or data.shape[2] == 3:
alpha = False
imgData[..., 3] = 255
else:
alpha = True
profile()
return imgData, alpha
|
makeARGBwithNaNs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, lut=None, levels=None, scale=None, useRGBA=False):\n nanlocations = np.isnan(data)\n profile = debug.Profiler()\n if data.ndim not in (2, 3):\n raise TypeError('data must be 2D or 3D')\n if data.ndim == 3 and data.shape[2] > 4:\n raise TypeError('data.shape[2] must be <= 4')\n if lut is not None and not isinstance(lut, np.ndarray):\n lut = np.array(lut)\n if levels is None:\n if data.dtype.kind == 'u':\n levels = np.array([0, 2 ** (data.itemsize * 8) - 1])\n elif data.dtype.kind == 'i':\n s = 2 ** (data.itemsize * 8 - 1)\n levels = np.array([-s, s - 1])\n elif data.dtype.kind == 'b':\n levels = np.array([0, 1])\n else:\n raise Exception('levels argument is required for float input types'\n )\n if not isinstance(levels, np.ndarray):\n levels = np.array(levels)\n if levels.ndim == 1:\n if levels.shape[0] != 2:\n raise Exception('levels argument must have length 2')\n elif levels.ndim == 2:\n if lut is not None and lut.ndim > 1:\n raise Exception(\n 'Cannot make ARGB data when both levels and lut have ndim > 2')\n if levels.shape != (data.shape[-1], 2):\n raise Exception('levels must have shape (data.shape[-1], 2)')\n else:\n raise Exception('levels argument must be 1D or 2D (got shape=%s).' %\n repr(levels.shape))\n profile()\n if scale is None:\n if lut is not None:\n scale = lut.shape[0] - 1\n else:\n scale = 255.0\n if lut is None:\n dtype = np.ubyte\n else:\n dtype = np.min_scalar_type(lut.shape[0] - 1)\n if levels is not None:\n if isinstance(levels, np.ndarray) and levels.ndim == 2:\n if levels.shape[0] != data.shape[-1]:\n raise Exception(\n 'When rescaling multi-channel data, there must be the same number of levels as channels (data.shape[-1] == levels.shape[0])'\n )\n newData = np.empty(data.shape, dtype=int)\n for i in range(data.shape[-1]):\n minVal, maxVal = levels[i]\n if minVal == maxVal:\n maxVal += 1e-16\n newData[..., i] = fn.rescaleData(data[..., i], scale / (\n maxVal - minVal), minVal, dtype=dtype)\n data = newData\n else:\n minVal, maxVal = levels\n if minVal != 0 or maxVal != scale:\n if minVal == maxVal:\n maxVal += 1e-16\n data = fn.rescaleData(data, scale / (maxVal - minVal),\n minVal, dtype=dtype)\n profile()\n if lut is not None:\n data = fn.applyLookupTable(data, lut)\n elif data.dtype is not np.ubyte:\n data = np.clip(data, 0, 255).astype(np.ubyte)\n data[nanlocations] = [0, 0, 0, 0]\n profile()\n imgData = np.empty(data.shape[:2] + (4,), dtype=np.ubyte)\n profile()\n if useRGBA:\n order = [0, 1, 2, 3]\n else:\n order = [2, 1, 0, 3]\n if data.ndim == 2:\n for i in range(3):\n imgData[..., i] = data\n elif data.shape[2] == 1:\n for i in range(3):\n imgData[..., i] = data[..., 0]\n else:\n for i in range(0, data.shape[2]):\n imgData[..., i] = data[..., order[i]]\n profile()\n if data.ndim == 2 or data.shape[2] == 3:\n alpha = False\n imgData[..., 3] = 255\n else:\n alpha = True\n profile()\n return imgData, alpha\n",
"role": "user"
},
{
"content": "makeARGBwithNaNs",
"role": "assistant"
}
] |
def x(self, p, *args):
if self.picturenotgened:
self.generatePicture(self.getBoundingParents()[0].rect())
self.picturenotgened = False
pg.ImageItem.paint(self, p, *args)
self.generatePicture(self.getBoundingParents()[0].rect())
|
paint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p, *args):\n if self.picturenotgened:\n self.generatePicture(self.getBoundingParents()[0].rect())\n self.picturenotgened = False\n pg.ImageItem.paint(self, p, *args)\n self.generatePicture(self.getBoundingParents()[0].rect())\n",
"role": "user"
},
{
"content": "paint",
"role": "assistant"
}
] |
def x(self, image=None, autoLevels=None, **kargs):
profile = debug.Profiler()
gotNewData = False
if image is None:
if self.image is None:
return
else:
gotNewData = True
shapeChanged = self.image is None or image.shape != self.image.shape
image = image.view(np.ndarray)
if self.image is None or image.dtype != self.image.dtype:
self._effectiveLut = None
self.image = image
if self.image.shape[0] > 2 ** 15 - 1 or self.image.shape[1
] > 2 ** 15 - 1:
if 'autoDownsample' not in kargs:
kargs['autoDownsample'] = True
if shapeChanged:
self.prepareGeometryChange()
self.informViewBoundsChanged()
profile()
if autoLevels is None:
if 'levels' in kargs:
autoLevels = False
else:
autoLevels = True
if autoLevels:
img = self.image
while img.size > 2 ** 16:
img = img[::2, ::2]
mn, mx = img.min(), img.max()
if mn == mx:
mn = 0
mx = 255
kargs['levels'] = [mn, mx]
profile()
self.setOpts(update=False, **kargs)
profile()
self.qimage = None
self.update()
profile()
if gotNewData:
self.sigImageChanged.emit()
|
setImage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image=None, autoLevels=None, **kargs):\n profile = debug.Profiler()\n gotNewData = False\n if image is None:\n if self.image is None:\n return\n else:\n gotNewData = True\n shapeChanged = self.image is None or image.shape != self.image.shape\n image = image.view(np.ndarray)\n if self.image is None or image.dtype != self.image.dtype:\n self._effectiveLut = None\n self.image = image\n if self.image.shape[0] > 2 ** 15 - 1 or self.image.shape[1\n ] > 2 ** 15 - 1:\n if 'autoDownsample' not in kargs:\n kargs['autoDownsample'] = True\n if shapeChanged:\n self.prepareGeometryChange()\n self.informViewBoundsChanged()\n profile()\n if autoLevels is None:\n if 'levels' in kargs:\n autoLevels = False\n else:\n autoLevels = True\n if autoLevels:\n img = self.image\n while img.size > 2 ** 16:\n img = img[::2, ::2]\n mn, mx = img.min(), img.max()\n if mn == mx:\n mn = 0\n mx = 255\n kargs['levels'] = [mn, mx]\n profile()\n self.setOpts(update=False, **kargs)\n profile()\n self.qimage = None\n self.update()\n profile()\n if gotNewData:\n self.sigImageChanged.emit()\n",
"role": "user"
},
{
"content": "setImage",
"role": "assistant"
}
] |
def x(self, root=None):
if root is None:
root = self.item
preItems = []
postItems = []
if isinstance(root, QtGui.QGraphicsScene):
childs = [i for i in root.items() if i.parentItem() is None]
rootItem = []
else:
try:
childs = root.childItems()
except:
childs = root.items()
rootItem = [root]
childs.sort(key=lambda a: a.zValue())
while len(childs) > 0:
ch = childs.pop(0)
tree = self.getPaintItems(ch)
if int(ch.flags() & ch.ItemStacksBehindParent) > 0 or ch.zValue(
) < 0 and int(ch.flags() & ch.ItemNegativeZStacksBehindParent) > 0:
preItems.extend(tree)
else:
postItems.extend(tree)
return preItems + rootItem + postItems
|
getPaintItems
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root=None):\n if root is None:\n root = self.item\n preItems = []\n postItems = []\n if isinstance(root, QtGui.QGraphicsScene):\n childs = [i for i in root.items() if i.parentItem() is None]\n rootItem = []\n else:\n try:\n childs = root.childItems()\n except:\n childs = root.items()\n rootItem = [root]\n childs.sort(key=lambda a: a.zValue())\n while len(childs) > 0:\n ch = childs.pop(0)\n tree = self.getPaintItems(ch)\n if int(ch.flags() & ch.ItemStacksBehindParent) > 0 or ch.zValue(\n ) < 0 and int(ch.flags() & ch.ItemNegativeZStacksBehindParent) > 0:\n preItems.extend(tree)\n else:\n postItems.extend(tree)\n return preItems + rootItem + postItems\n",
"role": "user"
},
{
"content": "getPaintItems",
"role": "assistant"
}
] |
def x(net, df=None, norm_type='zscore', axis='row', keep_orig=False):
if df is None:
df = net.dat_to_df()
if norm_type == 'zscore':
df = zscore_df(df, axis, keep_orig)
if norm_type == 'qn':
df = qn_df(df, axis, keep_orig)
net.df_to_dat(df)
|
run_norm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, df=None, norm_type='zscore', axis='row', keep_orig=False):\n if df is None:\n df = net.dat_to_df()\n if norm_type == 'zscore':\n df = zscore_df(df, axis, keep_orig)\n if norm_type == 'qn':\n df = qn_df(df, axis, keep_orig)\n net.df_to_dat(df)\n",
"role": "user"
},
{
"content": "run_norm",
"role": "assistant"
}
] |
def x(df, axis='row', keep_orig=False):
df_qn = {}
for mat_type in df:
inst_df = df[mat_type]
if axis == 'row':
inst_df = inst_df.transpose()
missing_values = inst_df.isnull().values.any()
if missing_values:
missing_mask = pd.isnull(inst_df)
inst_df = inst_df.fillna(value=0)
common_dist = calc_common_dist(inst_df)
inst_df = swap_in_common_dist(inst_df, common_dist)
if missing_values:
inst_df = inst_df.mask(missing_mask, other=np.nan)
if axis == 'row':
inst_df = inst_df.transpose()
df_qn[mat_type] = inst_df
return df_qn
|
qn_df
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, axis='row', keep_orig=False):\n df_qn = {}\n for mat_type in df:\n inst_df = df[mat_type]\n if axis == 'row':\n inst_df = inst_df.transpose()\n missing_values = inst_df.isnull().values.any()\n if missing_values:\n missing_mask = pd.isnull(inst_df)\n inst_df = inst_df.fillna(value=0)\n common_dist = calc_common_dist(inst_df)\n inst_df = swap_in_common_dist(inst_df, common_dist)\n if missing_values:\n inst_df = inst_df.mask(missing_mask, other=np.nan)\n if axis == 'row':\n inst_df = inst_df.transpose()\n df_qn[mat_type] = inst_df\n return df_qn\n",
"role": "user"
},
{
"content": "qn_df",
"role": "assistant"
}
] |
def x(df):
tmp_arr = np.array([])
col_names = df.columns.tolist()
for inst_col in col_names:
tmp_vect = df[inst_col].sort_values(ascending=False).values
if tmp_arr.shape[0] == 0:
tmp_arr = tmp_vect
else:
tmp_arr = np.vstack((tmp_arr, tmp_vect))
tmp_arr = tmp_arr.transpose()
common_dist = tmp_arr.mean(axis=1)
return common_dist
|
calc_common_dist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n tmp_arr = np.array([])\n col_names = df.columns.tolist()\n for inst_col in col_names:\n tmp_vect = df[inst_col].sort_values(ascending=False).values\n if tmp_arr.shape[0] == 0:\n tmp_arr = tmp_vect\n else:\n tmp_arr = np.vstack((tmp_arr, tmp_vect))\n tmp_arr = tmp_arr.transpose()\n common_dist = tmp_arr.mean(axis=1)\n return common_dist\n",
"role": "user"
},
{
"content": "calc_common_dist",
"role": "assistant"
}
] |
def x(df, axis='row', keep_orig=False):
df_z = {}
for mat_type in df:
if keep_orig and mat_type == 'mat':
mat_orig = deepcopy(df[mat_type])
inst_df = df[mat_type]
if axis == 'row':
inst_df = inst_df.transpose()
df_z[mat_type] = (inst_df - inst_df.mean()) / inst_df.std()
if axis == 'row':
df_z[mat_type] = df_z[mat_type].transpose()
if keep_orig:
df_z['mat_orig'] = mat_orig
return df_z
|
zscore_df
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, axis='row', keep_orig=False):\n df_z = {}\n for mat_type in df:\n if keep_orig and mat_type == 'mat':\n mat_orig = deepcopy(df[mat_type])\n inst_df = df[mat_type]\n if axis == 'row':\n inst_df = inst_df.transpose()\n df_z[mat_type] = (inst_df - inst_df.mean()) / inst_df.std()\n if axis == 'row':\n df_z[mat_type] = df_z[mat_type].transpose()\n if keep_orig:\n df_z['mat_orig'] = mat_orig\n return df_z\n",
"role": "user"
},
{
"content": "zscore_df",
"role": "assistant"
}
] |
def x(net):
for inst_rc in ['row', 'col']:
inst_nodes = deepcopy(net.dat['nodes'][inst_rc])
inst_index = deepcopy(net.dat['node_info'][inst_rc]['clust'])
inst_nodes = [inst_nodes[i] for i in inst_index]
dm = dist_matrix_lattice(inst_nodes)
node_infos = list(net.dat['node_info'][inst_rc].keys())
all_cats = []
for inst_info in node_infos:
if 'dict_cat_' in inst_info:
all_cats.append(inst_info)
for cat_dict in all_cats:
tmp_dict = net.dat['node_info'][inst_rc][cat_dict]
pval_name = cat_dict.replace('dict_', 'pval_')
net.dat['node_info'][inst_rc][pval_name] = {}
for cat_name in tmp_dict:
subset = tmp_dict[cat_name]
inst_median = calc_median_dist_subset(dm, subset)
hist = calc_hist_distances(dm, subset, inst_nodes)
pval = 0
for i in range(len(hist['prob'])):
if i == 0:
pval = hist['prob'][i]
if i >= 1:
if inst_median >= hist['bins'][i]:
pval = pval + hist['prob'][i]
net.dat['node_info'][inst_rc][pval_name][cat_name] = pval
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net):\n for inst_rc in ['row', 'col']:\n inst_nodes = deepcopy(net.dat['nodes'][inst_rc])\n inst_index = deepcopy(net.dat['node_info'][inst_rc]['clust'])\n inst_nodes = [inst_nodes[i] for i in inst_index]\n dm = dist_matrix_lattice(inst_nodes)\n node_infos = list(net.dat['node_info'][inst_rc].keys())\n all_cats = []\n for inst_info in node_infos:\n if 'dict_cat_' in inst_info:\n all_cats.append(inst_info)\n for cat_dict in all_cats:\n tmp_dict = net.dat['node_info'][inst_rc][cat_dict]\n pval_name = cat_dict.replace('dict_', 'pval_')\n net.dat['node_info'][inst_rc][pval_name] = {}\n for cat_name in tmp_dict:\n subset = tmp_dict[cat_name]\n inst_median = calc_median_dist_subset(dm, subset)\n hist = calc_hist_distances(dm, subset, inst_nodes)\n pval = 0\n for i in range(len(hist['prob'])):\n if i == 0:\n pval = hist['prob'][i]\n if i >= 1:\n if inst_median >= hist['bins'][i]:\n pval = pval + hist['prob'][i]\n net.dat['node_info'][inst_rc][pval_name][cat_name] = pval\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(df):
import numpy as np
from ast import literal_eval as make_tuple
test = {}
test['row'] = df['mat'].index.tolist()
test['col'] = df['mat'].columns.tolist()
found_tuple = {}
found_number = {}
for inst_rc in ['row', 'col']:
inst_name = test[inst_rc][0]
found_tuple[inst_rc] = False
found_number[inst_rc] = False
if type(inst_name) != tuple:
if type(inst_name) is int or type(inst_name) is float or type(
inst_name) is np.int64:
found_number[inst_rc] = True
else:
check_open = inst_name[0]
check_comma = inst_name.find(',')
check_close = inst_name[-1]
if (check_open == '(' and check_close == ')' and
check_comma > 0 and check_comma < len(inst_name)):
found_tuple[inst_rc] = True
if found_tuple['row']:
row_names = df['mat'].index.tolist()
row_names = [make_tuple(x) for x in row_names]
df['mat'].index = row_names
if found_tuple['col']:
col_names = df['mat'].columns.tolist()
col_names = [make_tuple(x) for x in col_names]
df['mat'].columns = col_names
if found_number['row']:
row_names = df['mat'].index.tolist()
row_names = [str(x) for x in row_names]
df['mat'].index = row_names
if found_number['col']:
col_names = df['mat'].columns.tolist()
col_names = [str(x) for x in col_names]
df['mat'].columns = col_names
return df
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n import numpy as np\n from ast import literal_eval as make_tuple\n test = {}\n test['row'] = df['mat'].index.tolist()\n test['col'] = df['mat'].columns.tolist()\n found_tuple = {}\n found_number = {}\n for inst_rc in ['row', 'col']:\n inst_name = test[inst_rc][0]\n found_tuple[inst_rc] = False\n found_number[inst_rc] = False\n if type(inst_name) != tuple:\n if type(inst_name) is int or type(inst_name) is float or type(\n inst_name) is np.int64:\n found_number[inst_rc] = True\n else:\n check_open = inst_name[0]\n check_comma = inst_name.find(',')\n check_close = inst_name[-1]\n if (check_open == '(' and check_close == ')' and \n check_comma > 0 and check_comma < len(inst_name)):\n found_tuple[inst_rc] = True\n if found_tuple['row']:\n row_names = df['mat'].index.tolist()\n row_names = [make_tuple(x) for x in row_names]\n df['mat'].index = row_names\n if found_tuple['col']:\n col_names = df['mat'].columns.tolist()\n col_names = [make_tuple(x) for x in col_names]\n df['mat'].columns = col_names\n if found_number['row']:\n row_names = df['mat'].index.tolist()\n row_names = [str(x) for x in row_names]\n df['mat'].index = row_names\n if found_number['col']:\n col_names = df['mat'].columns.tolist()\n col_names = [str(x) for x in col_names]\n df['mat'].columns = col_names\n return df\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(net, df, define_cat_colors=False):
from . import categories
df['mat'] = make_unique_labels.main(net, df['mat'])
net.dat['mat'] = df['mat'].values
net.dat['nodes']['row'] = df['mat'].index.tolist()
net.dat['nodes']['col'] = df['mat'].columns.tolist()
for inst_rc in ['row', 'col']:
if type(net.dat['nodes'][inst_rc][0]) is tuple:
num_cat = len(net.dat['nodes'][inst_rc][0]) - 1
net.dat['node_info'][inst_rc]['full_names'] = net.dat['nodes'][
inst_rc]
for inst_rcat in range(num_cat):
net.dat['node_info'][inst_rc]['cat-' + str(inst_rcat)] = [i
[inst_rcat + 1] for i in net.dat['nodes'][inst_rc]]
net.dat['nodes'][inst_rc] = [i[0] for i in net.dat['nodes'][
inst_rc]]
if 'mat_up' in df:
net.dat['mat_up'] = df['mat_up'].values
net.dat['mat_dn'] = df['mat_dn'].values
if 'mat_orig' in df:
net.dat['mat_orig'] = df['mat_orig'].values
categories.dict_cat(net, define_cat_colors=define_cat_colors)
|
df_to_dat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, df, define_cat_colors=False):\n from . import categories\n df['mat'] = make_unique_labels.main(net, df['mat'])\n net.dat['mat'] = df['mat'].values\n net.dat['nodes']['row'] = df['mat'].index.tolist()\n net.dat['nodes']['col'] = df['mat'].columns.tolist()\n for inst_rc in ['row', 'col']:\n if type(net.dat['nodes'][inst_rc][0]) is tuple:\n num_cat = len(net.dat['nodes'][inst_rc][0]) - 1\n net.dat['node_info'][inst_rc]['full_names'] = net.dat['nodes'][\n inst_rc]\n for inst_rcat in range(num_cat):\n net.dat['node_info'][inst_rc]['cat-' + str(inst_rcat)] = [i\n [inst_rcat + 1] for i in net.dat['nodes'][inst_rc]]\n net.dat['nodes'][inst_rc] = [i[0] for i in net.dat['nodes'][\n inst_rc]]\n if 'mat_up' in df:\n net.dat['mat_up'] = df['mat_up'].values\n net.dat['mat_dn'] = df['mat_dn'].values\n if 'mat_orig' in df:\n net.dat['mat_orig'] = df['mat_orig'].values\n categories.dict_cat(net, define_cat_colors=define_cat_colors)\n",
"role": "user"
},
{
"content": "df_to_dat",
"role": "assistant"
}
] |
def x(self):
import numpy as np
self.dat['mat'] = np.asarray(self.dat['mat'])
|
mat_to_numpy_arr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import numpy as np\n self.dat['mat'] = np.asarray(self.dat['mat'])\n",
"role": "user"
},
{
"content": "mat_to_numpy_arr",
"role": "assistant"
}
] |
def x(net, dist_type='cosine', linkage_type='average', dendro=True,
run_clustering=True, run_rank=True, ignore_cat=False, calc_cat_pval=
False, links=False):
import scipy
from copy import deepcopy
from scipy.spatial.distance import pdist
from . import categories, make_viz, cat_pval
dm = {}
for inst_rc in ['row', 'col']:
tmp_mat = deepcopy(net.dat['mat'])
dm[inst_rc] = calc_distance_matrix(tmp_mat, inst_rc, dist_type)
node_info = net.dat['node_info'][inst_rc]
node_info['ini'] = list(range(len(net.dat['nodes'][inst_rc]), -1, -1))
if run_clustering is True:
node_info['clust'], node_info['group'] = clust_and_group(net,
dm[inst_rc], linkage_type=linkage_type)
else:
dendro = False
node_info['clust'] = node_info['ini']
if run_rank is True:
node_info['rank'] = sort_rank_nodes(net, inst_rc, 'sum')
node_info['rankvar'] = sort_rank_nodes(net, inst_rc, 'var')
else:
node_info['rank'] = node_info['ini']
node_info['rankvar'] = node_info['ini']
if ignore_cat is False:
categories.calc_cat_clust_order(net, inst_rc)
if calc_cat_pval is True:
cat_pval.main(net)
make_viz.viz_json(net, dendro, links)
return dm
|
cluster_row_and_col
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, dist_type='cosine', linkage_type='average', dendro=True,\n run_clustering=True, run_rank=True, ignore_cat=False, calc_cat_pval=\n False, links=False):\n import scipy\n from copy import deepcopy\n from scipy.spatial.distance import pdist\n from . import categories, make_viz, cat_pval\n dm = {}\n for inst_rc in ['row', 'col']:\n tmp_mat = deepcopy(net.dat['mat'])\n dm[inst_rc] = calc_distance_matrix(tmp_mat, inst_rc, dist_type)\n node_info = net.dat['node_info'][inst_rc]\n node_info['ini'] = list(range(len(net.dat['nodes'][inst_rc]), -1, -1))\n if run_clustering is True:\n node_info['clust'], node_info['group'] = clust_and_group(net,\n dm[inst_rc], linkage_type=linkage_type)\n else:\n dendro = False\n node_info['clust'] = node_info['ini']\n if run_rank is True:\n node_info['rank'] = sort_rank_nodes(net, inst_rc, 'sum')\n node_info['rankvar'] = sort_rank_nodes(net, inst_rc, 'var')\n else:\n node_info['rank'] = node_info['ini']\n node_info['rankvar'] = node_info['ini']\n if ignore_cat is False:\n categories.calc_cat_clust_order(net, inst_rc)\n if calc_cat_pval is True:\n cat_pval.main(net)\n make_viz.viz_json(net, dendro, links)\n return dm\n",
"role": "user"
},
{
"content": "cluster_row_and_col",
"role": "assistant"
}
] |
def x(lines):
rcat_line = lines[0].split('\t')
num_rc = 0
found_end = False
for inst_string in rcat_line[1:]:
if inst_string == '':
if found_end is False:
num_rc = num_rc + 1
else:
found_end = True
max_rcat = 15
if max_rcat > len(lines):
max_rcat = len(lines) - 1
num_cc = 0
for i in range(max_rcat):
ccat_line = lines[i + 1].split('\t')
if ccat_line[0] == '' and len(ccat_line) > 1:
num_cc = num_cc + 1
num_labels = {}
num_labels['row'] = num_rc + 1
num_labels['col'] = num_cc + 1
return num_labels
|
check_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines):\n rcat_line = lines[0].split('\\t')\n num_rc = 0\n found_end = False\n for inst_string in rcat_line[1:]:\n if inst_string == '':\n if found_end is False:\n num_rc = num_rc + 1\n else:\n found_end = True\n max_rcat = 15\n if max_rcat > len(lines):\n max_rcat = len(lines) - 1\n num_cc = 0\n for i in range(max_rcat):\n ccat_line = lines[i + 1].split('\\t')\n if ccat_line[0] == '' and len(ccat_line) > 1:\n num_cc = num_cc + 1\n num_labels = {}\n num_labels['row'] = num_rc + 1\n num_labels['col'] = num_cc + 1\n return num_labels\n",
"role": "user"
},
{
"content": "check_categories",
"role": "assistant"
}
] |
def x(net, define_cat_colors=False):
net.persistent_cat = True
for inst_rc in ['row', 'col']:
inst_keys = list(net.dat['node_info'][inst_rc].keys())
all_cats = [x for x in inst_keys if 'cat-' in x]
for inst_name_cat in all_cats:
dict_cat = {}
tmp_cats = net.dat['node_info'][inst_rc][inst_name_cat]
tmp_nodes = net.dat['nodes'][inst_rc]
for i in range(len(tmp_cats)):
inst_cat = tmp_cats[i]
inst_node = tmp_nodes[i]
if inst_cat not in dict_cat:
dict_cat[inst_cat] = []
dict_cat[inst_cat].append(inst_node)
tmp_name = 'dict_' + inst_name_cat.replace('-', '_')
net.dat['node_info'][inst_rc][tmp_name] = dict_cat
cat_colors = net.viz['cat_colors']
if define_cat_colors == True:
cat_number = 0
for inst_rc in ['row', 'col']:
inst_keys = list(net.dat['node_info'][inst_rc].keys())
all_cats = [x for x in inst_keys if 'cat-' in x]
for cat_index in all_cats:
if cat_index not in cat_colors[inst_rc]:
cat_colors[inst_rc][cat_index] = {}
cat_names = sorted(list(set(net.dat['node_info'][inst_rc][
cat_index])))
for tmp_name in cat_names:
inst_color = get_cat_color(cat_number + cat_names.index
(tmp_name))
check_name = tmp_name
try:
float(check_name)
is_string_cat = False
except:
is_string_cat = True
if is_string_cat == True:
if ': ' in check_name:
check_name = check_name.split(': ')[1]
if 'False' in check_name or 'false' in check_name:
inst_color = '#eee'
if 'Not ' in check_name:
inst_color = '#eee'
if tmp_name not in cat_colors[inst_rc][cat_index
] and is_string_cat:
cat_colors[inst_rc][cat_index][tmp_name] = inst_color
cat_number = cat_number + 1
net.viz['cat_colors'] = cat_colors
|
dict_cat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, define_cat_colors=False):\n net.persistent_cat = True\n for inst_rc in ['row', 'col']:\n inst_keys = list(net.dat['node_info'][inst_rc].keys())\n all_cats = [x for x in inst_keys if 'cat-' in x]\n for inst_name_cat in all_cats:\n dict_cat = {}\n tmp_cats = net.dat['node_info'][inst_rc][inst_name_cat]\n tmp_nodes = net.dat['nodes'][inst_rc]\n for i in range(len(tmp_cats)):\n inst_cat = tmp_cats[i]\n inst_node = tmp_nodes[i]\n if inst_cat not in dict_cat:\n dict_cat[inst_cat] = []\n dict_cat[inst_cat].append(inst_node)\n tmp_name = 'dict_' + inst_name_cat.replace('-', '_')\n net.dat['node_info'][inst_rc][tmp_name] = dict_cat\n cat_colors = net.viz['cat_colors']\n if define_cat_colors == True:\n cat_number = 0\n for inst_rc in ['row', 'col']:\n inst_keys = list(net.dat['node_info'][inst_rc].keys())\n all_cats = [x for x in inst_keys if 'cat-' in x]\n for cat_index in all_cats:\n if cat_index not in cat_colors[inst_rc]:\n cat_colors[inst_rc][cat_index] = {}\n cat_names = sorted(list(set(net.dat['node_info'][inst_rc][\n cat_index])))\n for tmp_name in cat_names:\n inst_color = get_cat_color(cat_number + cat_names.index\n (tmp_name))\n check_name = tmp_name\n try:\n float(check_name)\n is_string_cat = False\n except:\n is_string_cat = True\n if is_string_cat == True:\n if ': ' in check_name:\n check_name = check_name.split(': ')[1]\n if 'False' in check_name or 'false' in check_name:\n inst_color = '#eee'\n if 'Not ' in check_name:\n inst_color = '#eee'\n if tmp_name not in cat_colors[inst_rc][cat_index\n ] and is_string_cat:\n cat_colors[inst_rc][cat_index][tmp_name] = inst_color\n cat_number = cat_number + 1\n net.viz['cat_colors'] = cat_colors\n",
"role": "user"
},
{
"content": "dict_cat",
"role": "assistant"
}
] |
def x(net, inst_rc):
from .__init__ import Network
from copy import deepcopy
from . import calc_clust, run_filter
inst_keys = list(net.dat['node_info'][inst_rc].keys())
all_cats = [x for x in inst_keys if 'cat-' in x]
if len(all_cats) > 0:
for inst_name_cat in all_cats:
tmp_name = 'dict_' + inst_name_cat.replace('-', '_')
dict_cat = net.dat['node_info'][inst_rc][tmp_name]
unordered_cats = dict_cat.keys()
ordered_cats = order_categories(unordered_cats)
all_cat_orders = []
tmp_names_list = []
for inst_cat in ordered_cats:
inst_nodes = dict_cat[inst_cat]
tmp_names_list.extend(inst_nodes)
names_clust_list = tmp_names_list
final_order = []
for i in range(len(net.dat['nodes'][inst_rc])):
inst_node_name = net.dat['nodes'][inst_rc][i]
inst_node_num = names_clust_list.index(inst_node_name)
final_order.append(inst_node_num)
inst_index_cat = inst_name_cat.replace('-', '_') + '_index'
net.dat['node_info'][inst_rc][inst_index_cat] = final_order
|
calc_cat_clust_order
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, inst_rc):\n from .__init__ import Network\n from copy import deepcopy\n from . import calc_clust, run_filter\n inst_keys = list(net.dat['node_info'][inst_rc].keys())\n all_cats = [x for x in inst_keys if 'cat-' in x]\n if len(all_cats) > 0:\n for inst_name_cat in all_cats:\n tmp_name = 'dict_' + inst_name_cat.replace('-', '_')\n dict_cat = net.dat['node_info'][inst_rc][tmp_name]\n unordered_cats = dict_cat.keys()\n ordered_cats = order_categories(unordered_cats)\n all_cat_orders = []\n tmp_names_list = []\n for inst_cat in ordered_cats:\n inst_nodes = dict_cat[inst_cat]\n tmp_names_list.extend(inst_nodes)\n names_clust_list = tmp_names_list\n final_order = []\n for i in range(len(net.dat['nodes'][inst_rc])):\n inst_node_name = net.dat['nodes'][inst_rc][i]\n inst_node_num = names_clust_list.index(inst_node_name)\n final_order.append(inst_node_num)\n inst_index_cat = inst_name_cat.replace('-', '_') + '_index'\n net.dat['node_info'][inst_rc][inst_index_cat] = final_order\n",
"role": "user"
},
{
"content": "calc_cat_clust_order",
"role": "assistant"
}
] |
def x(unordered_cats):
no_titles = remove_titles(unordered_cats)
all_are_numbers = check_all_numbers(no_titles)
if all_are_numbers:
ordered_cats = order_cats_based_on_values(unordered_cats, no_titles)
else:
ordered_cats = sorted(unordered_cats)
return ordered_cats
|
order_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unordered_cats):\n no_titles = remove_titles(unordered_cats)\n all_are_numbers = check_all_numbers(no_titles)\n if all_are_numbers:\n ordered_cats = order_cats_based_on_values(unordered_cats, no_titles)\n else:\n ordered_cats = sorted(unordered_cats)\n return ordered_cats\n",
"role": "user"
},
{
"content": "order_categories",
"role": "assistant"
}
] |
def x(self, file_string, filename=''):
load_data.load_file_as_string(self, file_string, filename=filename)
|
load_file_as_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_string, filename=''):\n load_data.load_file_as_string(self, file_string, filename=filename)\n",
"role": "user"
},
{
"content": "load_file_as_string",
"role": "assistant"
}
] |
def x(self, filename):
inst_dat = self.load_json_to_dict(filename)
load_data.load_data_to_net(self, inst_dat)
|
load_data_file_to_net
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n inst_dat = self.load_json_to_dict(filename)\n load_data.load_data_to_net(self, inst_dat)\n",
"role": "user"
},
{
"content": "load_data_file_to_net",
"role": "assistant"
}
] |
def x(self, dist_type='cosine', run_clustering=True, dendro=True, views=[
'N_row_sum', 'N_row_var'], linkage_type='average', sim_mat=False,
filter_sim=0.1, calc_cat_pval=False, run_enrichr=None, enrichrgram=None):
initialize_net.viz(self)
make_clust_fun.make_clust(self, dist_type=dist_type, run_clustering=
run_clustering, dendro=dendro, requested_views=views, linkage_type=
linkage_type, sim_mat=sim_mat, filter_sim=filter_sim, calc_cat_pval
=calc_cat_pval, run_enrichr=run_enrichr, enrichrgram=enrichrgram)
|
cluster
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dist_type='cosine', run_clustering=True, dendro=True, views=[\n 'N_row_sum', 'N_row_var'], linkage_type='average', sim_mat=False,\n filter_sim=0.1, calc_cat_pval=False, run_enrichr=None, enrichrgram=None):\n initialize_net.viz(self)\n make_clust_fun.make_clust(self, dist_type=dist_type, run_clustering=\n run_clustering, dendro=dendro, requested_views=views, linkage_type=\n linkage_type, sim_mat=sim_mat, filter_sim=filter_sim, calc_cat_pval\n =calc_cat_pval, run_enrichr=run_enrichr, enrichrgram=enrichrgram)\n",
"role": "user"
},
{
"content": "cluster",
"role": "assistant"
}
] |
def x(self, df):
self.reset()
df_dict = {}
df_dict['mat'] = deepcopy(df)
data_formats.df_to_dat(self, df_dict, define_cat_colors=True)
|
load_df
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, df):\n self.reset()\n df_dict = {}\n df_dict['mat'] = deepcopy(df)\n data_formats.df_to_dat(self, df_dict, define_cat_colors=True)\n",
"role": "user"
},
{
"content": "load_df",
"role": "assistant"
}
] |
def x(self, df, define_cat_colors=False):
data_formats.df_to_dat(self, df, define_cat_colors)
|
df_to_dat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, df, define_cat_colors=False):\n data_formats.df_to_dat(self, df, define_cat_colors)\n",
"role": "user"
},
{
"content": "df_to_dat",
"role": "assistant"
}
] |
def x(self, which_viz='viz'):
if hasattr(self, 'widget_class') == True:
if len(self.viz['row_nodes']) == 0:
self.cluster()
self.widget_instance = self.widget_class(network=self.
export_viz_to_widget(which_viz))
return self.widget_instance
else:
print(
'Can not make widget because Network has no attribute widget_class'
)
print(
'Please instantiate Network with clustergrammer_widget using: Network(clustergrammer_widget)'
)
|
widget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, which_viz='viz'):\n if hasattr(self, 'widget_class') == True:\n if len(self.viz['row_nodes']) == 0:\n self.cluster()\n self.widget_instance = self.widget_class(network=self.\n export_viz_to_widget(which_viz))\n return self.widget_instance\n else:\n print(\n 'Can not make widget because Network has no attribute widget_class'\n )\n print(\n 'Please instantiate Network with clustergrammer_widget using: Network(clustergrammer_widget)'\n )\n",
"role": "user"
},
{
"content": "widget",
"role": "assistant"
}
] |
def x(self):
if hasattr(self, 'widget_instance') == True:
if self.widget_instance.mat_string != '':
tmp_net = deepcopy(Network())
df_string = self.widget_instance.mat_string
tmp_net.load_file_as_string(df_string)
df = tmp_net.export_df()
return df
else:
return self.export_df()
elif hasattr(self, 'widget_class') == True:
print('Please make the widget before exporting the widget DataFrame.')
print('Do this using the widget method: net.widget()')
else:
print(
'Can not make widget because Network has no attribute widget_class'
)
print(
'Please instantiate Network with clustergrammer_widget using: Network(clustergrammer_widget)'
)
|
widget_df
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'widget_instance') == True:\n if self.widget_instance.mat_string != '':\n tmp_net = deepcopy(Network())\n df_string = self.widget_instance.mat_string\n tmp_net.load_file_as_string(df_string)\n df = tmp_net.export_df()\n return df\n else:\n return self.export_df()\n elif hasattr(self, 'widget_class') == True:\n print('Please make the widget before exporting the widget DataFrame.')\n print('Do this using the widget method: net.widget()')\n else:\n print(\n 'Can not make widget because Network has no attribute widget_class'\n )\n print(\n 'Please instantiate Network with clustergrammer_widget using: Network(clustergrammer_widget)'\n )\n",
"role": "user"
},
{
"content": "widget_df",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.