How to use output method in ng-mocks

Best JavaScript code snippet using ng-mocks

test_sys_settrace.py

Source:test_sys_settrace.py Github

copy

Full Screen

...569class JumpTestCase(unittest.TestCase):570 def setUp(self):571 self.addCleanup(sys.settrace, sys.gettrace())572 sys.settrace(None)573 def compare_jump_output(self, expected, received):574 if received != expected:575 self.fail( "Outputs don't match:\n" +576 "Expected: " + repr(expected) + "\n" +577 "Received: " + repr(received))578 def run_test(self, func, jumpFrom, jumpTo, expected, error=None,579 event='line', decorated=False):580 tracer = JumpTracer(func, jumpFrom, jumpTo, event, decorated)581 sys.settrace(tracer.trace)582 output = []583 if error is None:584 func(output)585 else:586 with self.assertRaisesRegex(*error):587 func(output)588 sys.settrace(None)589 self.compare_jump_output(expected, output)590 def run_async_test(self, func, jumpFrom, jumpTo, expected, error=None,591 event='line', decorated=False):592 tracer = JumpTracer(func, jumpFrom, jumpTo, event, decorated)593 sys.settrace(tracer.trace)594 output = []595 if error is None:596 asyncio.run(func(output))597 else:598 with self.assertRaisesRegex(*error):599 asyncio.run(func(output))600 sys.settrace(None)601 asyncio.set_event_loop_policy(None)602 self.compare_jump_output(expected, output)603 def jump_test(jumpFrom, jumpTo, expected, error=None, event='line'):604 """Decorator that creates a test that makes a jump605 from one place to another in the following code.606 """607 def decorator(func):608 @wraps(func)609 def test(self):610 self.run_test(func, jumpFrom, jumpTo, expected,611 error=error, event=event, decorated=True)612 return test613 return decorator614 def async_jump_test(jumpFrom, jumpTo, expected, error=None, event='line'):615 """Decorator that creates a test that makes a jump616 from one place to another in the following asynchronous code.617 """618 def decorator(func):619 @wraps(func)620 def test(self):621 self.run_async_test(func, jumpFrom, jumpTo, expected,622 error=error, event=event, decorated=True)623 return test624 return decorator625 ## The first set of 'jump' tests are for things that are allowed:626 @jump_test(1, 3, [3])627 def test_jump_simple_forwards(output):628 output.append(1)629 output.append(2)630 output.append(3)631 @jump_test(2, 1, [1, 1, 2])632 def test_jump_simple_backwards(output):633 output.append(1)634 output.append(2)635 @jump_test(3, 5, [2, 5])636 def test_jump_out_of_block_forwards(output):637 for i in 1, 2:638 output.append(2)639 for j in [3]: # Also tests jumping over a block640 output.append(4)641 output.append(5)642 @jump_test(6, 1, [1, 3, 5, 1, 3, 5, 6, 7])643 def test_jump_out_of_block_backwards(output):644 output.append(1)645 for i in [1]:646 output.append(3)647 for j in [2]: # Also tests jumping over a block648 output.append(5)649 output.append(6)650 output.append(7)651 @async_jump_test(4, 5, [3, 5])652 async def test_jump_out_of_async_for_block_forwards(output):653 for i in [1]:654 async for i in asynciter([1, 2]):655 output.append(3)656 output.append(4)657 output.append(5)658 @async_jump_test(5, 2, [2, 4, 2, 4, 5, 6])659 async def test_jump_out_of_async_for_block_backwards(output):660 for i in [1]:661 output.append(2)662 async for i in asynciter([1]):663 output.append(4)664 output.append(5)665 output.append(6)666 @jump_test(1, 2, [3])667 def test_jump_to_codeless_line(output):668 output.append(1)669 # Jumping to this line should skip to the next one.670 output.append(3)671 @jump_test(2, 2, [1, 2, 3])672 def test_jump_to_same_line(output):673 output.append(1)674 output.append(2)675 output.append(3)676 # Tests jumping within a finally block, and over one.677 @jump_test(4, 9, [2, 9])678 def test_jump_in_nested_finally(output):679 try:680 output.append(2)681 finally:682 output.append(4)683 try:684 output.append(6)685 finally:686 output.append(8)687 output.append(9)688 @jump_test(6, 7, [2, 7], (ZeroDivisionError, ''))689 def test_jump_in_nested_finally_2(output):690 try:691 output.append(2)692 1/0693 return694 finally:695 output.append(6)696 output.append(7)697 output.append(8)698 @jump_test(6, 11, [2, 11], (ZeroDivisionError, ''))699 def test_jump_in_nested_finally_3(output):700 try:701 output.append(2)702 1/0703 return704 finally:705 output.append(6)706 try:707 output.append(8)708 finally:709 output.append(10)710 output.append(11)711 output.append(12)712 @jump_test(5, 11, [2, 4, 12])713 def test_jump_over_return_try_finally_in_finally_block(output):714 try:715 output.append(2)716 finally:717 output.append(4)718 output.append(5)719 return720 try:721 output.append(8)722 finally:723 output.append(10)724 pass725 output.append(12)726 @jump_test(3, 4, [1, 4])727 def test_jump_infinite_while_loop(output):728 output.append(1)729 while True:730 output.append(3)731 output.append(4)732 @jump_test(2, 4, [4, 4])733 def test_jump_forwards_into_while_block(output):734 i = 1735 output.append(2)736 while i <= 2:737 output.append(4)738 i += 1739 @jump_test(5, 3, [3, 3, 3, 5])740 def test_jump_backwards_into_while_block(output):741 i = 1742 while i <= 2:743 output.append(3)744 i += 1745 output.append(5)746 @jump_test(2, 3, [1, 3])747 def test_jump_forwards_out_of_with_block(output):748 with tracecontext(output, 1):749 output.append(2)750 output.append(3)751 @async_jump_test(2, 3, [1, 3])752 async def test_jump_forwards_out_of_async_with_block(output):753 async with asynctracecontext(output, 1):754 output.append(2)755 output.append(3)756 @jump_test(3, 1, [1, 2, 1, 2, 3, -2])757 def test_jump_backwards_out_of_with_block(output):758 output.append(1)759 with tracecontext(output, 2):760 output.append(3)761 @async_jump_test(3, 1, [1, 2, 1, 2, 3, -2])762 async def test_jump_backwards_out_of_async_with_block(output):763 output.append(1)764 async with asynctracecontext(output, 2):765 output.append(3)766 @jump_test(2, 5, [5])767 def test_jump_forwards_out_of_try_finally_block(output):768 try:769 output.append(2)770 finally:771 output.append(4)772 output.append(5)773 @jump_test(3, 1, [1, 1, 3, 5])774 def test_jump_backwards_out_of_try_finally_block(output):775 output.append(1)776 try:777 output.append(3)778 finally:779 output.append(5)780 @jump_test(2, 6, [6])781 def test_jump_forwards_out_of_try_except_block(output):782 try:783 output.append(2)784 except:785 output.append(4)786 raise787 output.append(6)788 @jump_test(3, 1, [1, 1, 3])789 def test_jump_backwards_out_of_try_except_block(output):790 output.append(1)791 try:792 output.append(3)793 except:794 output.append(5)795 raise796 @jump_test(5, 7, [4, 7, 8])797 def test_jump_between_except_blocks(output):798 try:799 1/0800 except ZeroDivisionError:801 output.append(4)802 output.append(5)803 except FloatingPointError:804 output.append(7)805 output.append(8)806 @jump_test(5, 6, [4, 6, 7])807 def test_jump_within_except_block(output):808 try:809 1/0810 except:811 output.append(4)812 output.append(5)813 output.append(6)814 output.append(7)815 @jump_test(2, 4, [1, 4, 5, -4])816 def test_jump_across_with(output):817 output.append(1)818 with tracecontext(output, 2):819 output.append(3)820 with tracecontext(output, 4):821 output.append(5)822 @async_jump_test(2, 4, [1, 4, 5, -4])823 async def test_jump_across_async_with(output):824 output.append(1)825 async with asynctracecontext(output, 2):826 output.append(3)827 async with asynctracecontext(output, 4):828 output.append(5)829 @jump_test(4, 5, [1, 3, 5, 6])830 def test_jump_out_of_with_block_within_for_block(output):831 output.append(1)832 for i in [1]:833 with tracecontext(output, 3):834 output.append(4)835 output.append(5)836 output.append(6)837 @async_jump_test(4, 5, [1, 3, 5, 6])838 async def test_jump_out_of_async_with_block_within_for_block(output):839 output.append(1)840 for i in [1]:841 async with asynctracecontext(output, 3):842 output.append(4)843 output.append(5)844 output.append(6)845 @jump_test(4, 5, [1, 2, 3, 5, -2, 6])846 def test_jump_out_of_with_block_within_with_block(output):847 output.append(1)848 with tracecontext(output, 2):849 with tracecontext(output, 3):850 output.append(4)851 output.append(5)852 output.append(6)853 @async_jump_test(4, 5, [1, 2, 3, 5, -2, 6])854 async def test_jump_out_of_async_with_block_within_with_block(output):855 output.append(1)856 with tracecontext(output, 2):857 async with asynctracecontext(output, 3):858 output.append(4)859 output.append(5)860 output.append(6)861 @jump_test(5, 6, [2, 4, 6, 7])862 def test_jump_out_of_with_block_within_finally_block(output):863 try:864 output.append(2)865 finally:866 with tracecontext(output, 4):867 output.append(5)868 output.append(6)869 output.append(7)870 @async_jump_test(5, 6, [2, 4, 6, 7])871 async def test_jump_out_of_async_with_block_within_finally_block(output):872 try:873 output.append(2)874 finally:875 async with asynctracecontext(output, 4):876 output.append(5)877 output.append(6)878 output.append(7)879 @jump_test(8, 11, [1, 3, 5, 11, 12])880 def test_jump_out_of_complex_nested_blocks(output):881 output.append(1)882 for i in [1]:883 output.append(3)884 for j in [1, 2]:885 output.append(5)886 try:887 for k in [1, 2]:888 output.append(8)889 finally:890 output.append(10)891 output.append(11)892 output.append(12)893 @jump_test(3, 5, [1, 2, 5])894 def test_jump_out_of_with_assignment(output):895 output.append(1)896 with tracecontext(output, 2) \897 as x:898 output.append(4)899 output.append(5)900 @async_jump_test(3, 5, [1, 2, 5])901 async def test_jump_out_of_async_with_assignment(output):902 output.append(1)903 async with asynctracecontext(output, 2) \904 as x:905 output.append(4)906 output.append(5)907 @jump_test(3, 6, [1, 6, 8, 9])908 def test_jump_over_return_in_try_finally_block(output):909 output.append(1)910 try:911 output.append(3)912 if not output: # always false913 return914 output.append(6)915 finally:916 output.append(8)917 output.append(9)918 @jump_test(5, 8, [1, 3, 8, 10, 11, 13])919 def test_jump_over_break_in_try_finally_block(output):920 output.append(1)921 while True:922 output.append(3)923 try:924 output.append(5)925 if not output: # always false926 break927 output.append(8)928 finally:929 output.append(10)930 output.append(11)931 break932 output.append(13)933 @jump_test(1, 7, [7, 8])934 def test_jump_over_for_block_before_else(output):935 output.append(1)936 if not output: # always false937 for i in [3]:938 output.append(4)939 else:940 output.append(6)941 output.append(7)942 output.append(8)943 @async_jump_test(1, 7, [7, 8])944 async def test_jump_over_async_for_block_before_else(output):945 output.append(1)946 if not output: # always false947 async for i in asynciter([3]):948 output.append(4)949 else:950 output.append(6)951 output.append(7)952 output.append(8)953 # The second set of 'jump' tests are for things that are not allowed:954 @jump_test(2, 3, [1], (ValueError, 'after'))955 def test_no_jump_too_far_forwards(output):956 output.append(1)957 output.append(2)958 @jump_test(2, -2, [1], (ValueError, 'before'))959 def test_no_jump_too_far_backwards(output):960 output.append(1)961 output.append(2)962 # Test each kind of 'except' line.963 @jump_test(2, 3, [4], (ValueError, 'except'))964 def test_no_jump_to_except_1(output):965 try:966 output.append(2)967 except:968 output.append(4)969 raise970 @jump_test(2, 3, [4], (ValueError, 'except'))971 def test_no_jump_to_except_2(output):972 try:973 output.append(2)974 except ValueError:975 output.append(4)976 raise977 @jump_test(2, 3, [4], (ValueError, 'except'))978 def test_no_jump_to_except_3(output):979 try:980 output.append(2)981 except ValueError as e:982 output.append(4)983 raise e984 @jump_test(2, 3, [4], (ValueError, 'except'))985 def test_no_jump_to_except_4(output):986 try:987 output.append(2)988 except (ValueError, RuntimeError) as e:989 output.append(4)990 raise e991 @jump_test(1, 3, [], (ValueError, 'into'))992 def test_no_jump_forwards_into_for_block(output):993 output.append(1)994 for i in 1, 2:995 output.append(3)996 @async_jump_test(1, 3, [], (ValueError, 'into'))997 async def test_no_jump_forwards_into_async_for_block(output):998 output.append(1)999 async for i in asynciter([1, 2]):1000 output.append(3)1001 @jump_test(3, 2, [2, 2], (ValueError, 'into'))1002 def test_no_jump_backwards_into_for_block(output):1003 for i in 1, 2:1004 output.append(2)1005 output.append(3)1006 @async_jump_test(3, 2, [2, 2], (ValueError, 'into'))1007 async def test_no_jump_backwards_into_async_for_block(output):1008 async for i in asynciter([1, 2]):1009 output.append(2)1010 output.append(3)1011 @jump_test(1, 3, [], (ValueError, 'into'))1012 def test_no_jump_forwards_into_with_block(output):1013 output.append(1)1014 with tracecontext(output, 2):1015 output.append(3)1016 @async_jump_test(1, 3, [], (ValueError, 'into'))1017 async def test_no_jump_forwards_into_async_with_block(output):1018 output.append(1)1019 async with asynctracecontext(output, 2):1020 output.append(3)1021 @jump_test(3, 2, [1, 2, -1], (ValueError, 'into'))1022 def test_no_jump_backwards_into_with_block(output):1023 with tracecontext(output, 1):1024 output.append(2)1025 output.append(3)1026 @async_jump_test(3, 2, [1, 2, -1], (ValueError, 'into'))1027 async def test_no_jump_backwards_into_async_with_block(output):1028 async with asynctracecontext(output, 1):1029 output.append(2)1030 output.append(3)1031 @jump_test(1, 3, [], (ValueError, 'into'))1032 def test_no_jump_forwards_into_try_finally_block(output):1033 output.append(1)1034 try:1035 output.append(3)1036 finally:1037 output.append(5)1038 @jump_test(5, 2, [2, 4], (ValueError, 'into'))1039 def test_no_jump_backwards_into_try_finally_block(output):1040 try:1041 output.append(2)1042 finally:1043 output.append(4)1044 output.append(5)1045 @jump_test(1, 3, [], (ValueError, 'into'))1046 def test_no_jump_forwards_into_try_except_block(output):1047 output.append(1)1048 try:1049 output.append(3)1050 except:1051 output.append(5)1052 raise1053 @jump_test(6, 2, [2], (ValueError, 'into'))1054 def test_no_jump_backwards_into_try_except_block(output):1055 try:1056 output.append(2)1057 except:1058 output.append(4)1059 raise1060 output.append(6)1061 # 'except' with a variable creates an implicit finally block1062 @jump_test(5, 7, [4], (ValueError, 'into'))1063 def test_no_jump_between_except_blocks_2(output):1064 try:1065 1/01066 except ZeroDivisionError:1067 output.append(4)1068 output.append(5)1069 except FloatingPointError as e:1070 output.append(7)1071 output.append(8)1072 @jump_test(1, 5, [], (ValueError, "into a 'finally'"))1073 def test_no_jump_into_finally_block(output):1074 output.append(1)1075 try:1076 output.append(3)1077 finally:1078 output.append(5)1079 @jump_test(3, 6, [2, 5, 6], (ValueError, "into a 'finally'"))1080 def test_no_jump_into_finally_block_from_try_block(output):1081 try:1082 output.append(2)1083 output.append(3)1084 finally: # still executed if the jump is failed1085 output.append(5)1086 output.append(6)1087 output.append(7)1088 @jump_test(5, 1, [1, 3], (ValueError, "out of a 'finally'"))1089 def test_no_jump_out_of_finally_block(output):1090 output.append(1)1091 try:1092 output.append(3)1093 finally:1094 output.append(5)1095 @jump_test(1, 5, [], (ValueError, "into an 'except'"))1096 def test_no_jump_into_bare_except_block(output):1097 output.append(1)1098 try:1099 output.append(3)1100 except:1101 output.append(5)1102 @jump_test(1, 5, [], (ValueError, "into an 'except'"))1103 def test_no_jump_into_qualified_except_block(output):1104 output.append(1)1105 try:1106 output.append(3)1107 except Exception:1108 output.append(5)1109 @jump_test(3, 6, [2, 5, 6], (ValueError, "into an 'except'"))1110 def test_no_jump_into_bare_except_block_from_try_block(output):1111 try:1112 output.append(2)1113 output.append(3)1114 except: # executed if the jump is failed1115 output.append(5)1116 output.append(6)1117 raise1118 output.append(8)1119 @jump_test(3, 6, [2], (ValueError, "into an 'except'"))1120 def test_no_jump_into_qualified_except_block_from_try_block(output):1121 try:1122 output.append(2)1123 output.append(3)1124 except ZeroDivisionError:1125 output.append(5)1126 output.append(6)1127 raise1128 output.append(8)1129 @jump_test(7, 1, [1, 3, 6], (ValueError, "out of an 'except'"))1130 def test_no_jump_out_of_bare_except_block(output):1131 output.append(1)1132 try:1133 output.append(3)1134 1/01135 except:1136 output.append(6)1137 output.append(7)1138 @jump_test(7, 1, [1, 3, 6], (ValueError, "out of an 'except'"))1139 def test_no_jump_out_of_qualified_except_block(output):1140 output.append(1)1141 try:1142 output.append(3)1143 1/01144 except Exception:1145 output.append(6)1146 output.append(7)1147 @jump_test(3, 5, [1, 2, -2], (ValueError, 'into'))1148 def test_no_jump_between_with_blocks(output):1149 output.append(1)1150 with tracecontext(output, 2):1151 output.append(3)1152 with tracecontext(output, 4):1153 output.append(5)1154 @async_jump_test(3, 5, [1, 2, -2], (ValueError, 'into'))1155 async def test_no_jump_between_async_with_blocks(output):1156 output.append(1)1157 async with asynctracecontext(output, 2):1158 output.append(3)1159 async with asynctracecontext(output, 4):1160 output.append(5)1161 @jump_test(5, 7, [2, 4], (ValueError, 'finally'))1162 def test_no_jump_over_return_out_of_finally_block(output):1163 try:1164 output.append(2)1165 finally:1166 output.append(4)1167 output.append(5)1168 return1169 output.append(7)1170 @jump_test(7, 4, [1, 6], (ValueError, 'into'))1171 def test_no_jump_into_for_block_before_else(output):1172 output.append(1)1173 if not output: # always false1174 for i in [3]:1175 output.append(4)1176 else:1177 output.append(6)1178 output.append(7)1179 output.append(8)1180 @async_jump_test(7, 4, [1, 6], (ValueError, 'into'))1181 async def test_no_jump_into_async_for_block_before_else(output):1182 output.append(1)1183 if not output: # always false1184 async for i in asynciter([3]):1185 output.append(4)1186 else:1187 output.append(6)1188 output.append(7)1189 output.append(8)1190 def test_no_jump_to_non_integers(self):1191 self.run_test(no_jump_to_non_integers, 2, "Spam", [True])1192 def test_no_jump_without_trace_function(self):1193 # Must set sys.settrace(None) in setUp(), else condition is not1194 # triggered.1195 no_jump_without_trace_function()1196 def test_large_function(self):1197 d = {}1198 exec("""def f(output): # line 01199 x = 0 # line 11200 y = 1 # line 21201 ''' # line 31202 %s # lines 4-10041203 ''' # line 10051204 x += 1 # line 10061205 output.append(x) # line 10071206 return""" % ('\n' * 1000,), d)1207 f = d['f']1208 self.run_test(f, 2, 1007, [0])1209 def test_jump_to_firstlineno(self):1210 # This tests that PDB can jump back to the first line in a1211 # file. See issue #1689458. It can only be triggered in a1212 # function call if the function is defined on a single line.1213 code = compile("""1214# Comments don't count.1215output.append(2) # firstlineno is here.1216output.append(3)1217output.append(4)1218""", "<fake module>", "exec")1219 class fake_function:1220 __code__ = code1221 tracer = JumpTracer(fake_function, 2, 0)1222 sys.settrace(tracer.trace)1223 namespace = {"output": []}1224 exec(code, namespace)1225 sys.settrace(None)1226 self.compare_jump_output([2, 3, 2, 3, 4], namespace["output"])1227 @jump_test(2, 3, [1], event='call', error=(ValueError, "can't jump from"1228 " the 'call' trace event of a new frame"))1229 def test_no_jump_from_call(output):1230 output.append(1)1231 def nested():1232 output.append(3)1233 nested()1234 output.append(5)1235 @jump_test(2, 1, [1], event='return', error=(ValueError,1236 "can only jump from a 'line' trace event"))1237 def test_no_jump_from_return_event(output):1238 output.append(1)1239 return1240 @jump_test(2, 1, [1], event='exception', error=(ValueError,...

Full Screen

Full Screen

Record.py

Source:Record.py Github

copy

Full Screen

1"""Hold GenBank data in a straightforward format.2classes:3o Record - All of the information in a GenBank record.4o Reference - hold reference data for a record.5o Feature - Hold the information in a Feature Table.6o Qualifier - Qualifiers on a Feature.717-MAR-2009: added support for WGS and WGS_SCAFLD lines. Ying Huang & Iddo Friedberg8"""9# local stuff10import Bio.GenBank11def _wrapped_genbank(information, indent, wrap_space = 1, split_char = " "):12 """Write a line of GenBank info that can wrap over multiple lines.13 This takes a line of information which can potentially wrap over14 multiple lines, and breaks it up with carriage returns and15 indentation so it fits properly into a GenBank record.16 Arguments:17 o information - The string holding the information we want18 wrapped in GenBank method.19 o indent - The indentation on the lines we are writing.20 o wrap_space - Whether or not to wrap only on spaces in the21 information.22 o split_char - A specific character to split the lines on. By default23 spaces are used.24 """25 info_length = Record.GB_LINE_LENGTH - indent26 if not information:27 #GenBank files use "." for missing data28 return ".\n"29 if wrap_space:30 info_parts = information.split(split_char)31 else:32 cur_pos = 033 info_parts = []34 while cur_pos < len(information):35 info_parts.append(information[cur_pos: cur_pos + info_length])36 cur_pos += info_length37 38 # first get the information string split up by line39 output_parts = []40 cur_part = ""41 for info_part in info_parts:42 if len(cur_part) + 1 + len(info_part) > info_length:43 if cur_part:44 if split_char != " ":45 cur_part += split_char46 output_parts.append(cur_part)47 cur_part = info_part48 else:49 if cur_part == "":50 cur_part = info_part51 else:52 cur_part += split_char + info_part53 # add the last bit of information to the output54 if cur_part:55 output_parts.append(cur_part)56 # now format the information string for return57 output_info = output_parts[0] + "\n"58 for output_part in output_parts[1:]:59 output_info += " " * indent + output_part + "\n"60 return output_info 61 62def _indent_genbank(information, indent):63 """Write out information with the specified indent.64 Unlike _wrapped_genbank, this function makes no attempt to wrap65 lines -- it assumes that the information already has newlines in the66 appropriate places, and will add the specified indent to the start of67 each line.68 """69 # split the info into lines based on line breaks70 info_parts = information.split("\n")71 # the first line will have no indent72 output_info = info_parts[0] + "\n"73 for info_part in info_parts[1:]:74 output_info += " " * indent + info_part + "\n"75 return output_info76class Record:77 """Hold GenBank information in a format similar to the original record.78 The Record class is meant to make data easy to get to when you are79 just interested in looking at GenBank data.80 Attributes:81 o locus - The name specified after the LOCUS keyword in the GenBank82 record. This may be the accession number, or a clone id or something else.83 o size - The size of the record.84 o residue_type - The type of residues making up the sequence in this85 record. Normally something like RNA, DNA or PROTEIN, but may be as86 esoteric as 'ss-RNA circular'.87 o data_file_division - The division this record is stored under in88 GenBank (ie. PLN -> plants; PRI -> humans, primates; BCT -> bacteria...)89 o date - The date of submission of the record, in a form like '28-JUL-1998'90 o accession - list of all accession numbers for the sequence.91 o nid - Nucleotide identifier number.92 o pid - Proteint identifier number93 o version - The accession number + version (ie. AB01234.2)94 o db_source - Information about the database the record came from95 o gi - The NCBI gi identifier for the record.96 o keywords - A list of keywords related to the record.97 o segment - If the record is one of a series, this is info about which98 segment this record is (something like '1 of 6').99 o source - The source of material where the sequence came from.100 o organism - The genus and species of the organism (ie. 'Homo sapiens')101 o taxonomy - A listing of the taxonomic classification of the organism,102 starting general and getting more specific.103 o references - A list of Reference objects.104 o comment - Text with any kind of comment about the record.105 o features - A listing of Features making up the feature table.106 o base_counts - A string with the counts of bases for the sequence.107 o origin - A string specifying info about the origin of the sequence.108 o sequence - A string with the sequence itself.109 o contig - A string of location information for a CONTIG in a RefSeq file110 o project - The genome sequencing project numbers111 (will be replaced by the dblink cross-references in 2009).112 o dblinks - The genome sequencing project number(s) and other links.113 (will replace the project information in 2009).114 """115 # constants for outputting GenBank information116 GB_LINE_LENGTH = 79117 GB_BASE_INDENT = 12118 GB_FEATURE_INDENT = 21119 GB_INTERNAL_INDENT = 2120 GB_OTHER_INTERNAL_INDENT = 3121 GB_FEATURE_INTERNAL_INDENT = 5122 GB_SEQUENCE_INDENT = 9123 BASE_FORMAT = "%-" + str(GB_BASE_INDENT) + "s"124 INTERNAL_FORMAT = " " * GB_INTERNAL_INDENT + "%-" + \125 str(GB_BASE_INDENT - GB_INTERNAL_INDENT) + "s"126 OTHER_INTERNAL_FORMAT = " " * GB_OTHER_INTERNAL_INDENT + "%-" + \127 str(GB_BASE_INDENT - GB_OTHER_INTERNAL_INDENT) + \128 "s"129 BASE_FEATURE_FORMAT = "%-" + str(GB_FEATURE_INDENT) + "s"130 INTERNAL_FEATURE_FORMAT = " " * GB_FEATURE_INTERNAL_INDENT + "%-" + \131 str(GB_FEATURE_INDENT -132 GB_FEATURE_INTERNAL_INDENT) + "s"133 SEQUENCE_FORMAT = "%" + str(GB_SEQUENCE_INDENT) + "s"134 135 def __init__(self):136 self.locus = ''137 self.size = ''138 self.residue_type = ''139 self.data_file_division = ''140 self.date = ''141 self.definition = ''142 self.accession = []143 self.nid = ''144 self.pid = ''145 self.version = ''146 self.projects = []147 self.dblinks = []148 self.db_source = ''149 self.gi = ''150 self.keywords = []151 self.segment = ''152 self.source = ''153 self.organism = ''154 self.taxonomy = []155 self.references = []156 self.comment = ''157 self.features = []158 self.base_counts = ''159 self.origin = ''160 self.sequence = ''161 self.contig = ''162 self.primary=[]163 self.wgs = ''164 self.wgs_scafld = []165 def __str__(self):166 """Provide a GenBank formatted output option for a Record.167 The objective of this is to provide an easy way to read in a GenBank168 record, modify it somehow, and then output it in 'GenBank format.'169 We are striving to make this work so that a parsed Record that is170 output using this function will look exactly like the original171 record.172 Much of the output is based on format description info at:173 ftp://ncbi.nlm.nih.gov/genbank/gbrel.txt174 """175 output = self._locus_line()176 output += self._definition_line()177 output += self._accession_line()178 output += self._version_line()179 output += self._project_line()180 output += self._dblink_line()181 output += self._nid_line()182 output += self._pid_line()183 output += self._keywords_line()184 output += self._db_source_line()185 output += self._segment_line()186 output += self._source_line()187 output += self._organism_line()188 for reference in self.references:189 output += str(reference)190 output += self._comment_line()191 output += self._features_line()192 for feature in self.features:193 output += str(feature)194 output += self._base_count_line()195 output += self._origin_line()196 output += self._sequence_line()197 output += self._wgs_line()198 output += self._wgs_scafld_line()199 output += self._contig_line()200 output += "//"201 return output202 203 def _locus_line(self):204 """Provide the output string for the LOCUS line.205 """206 output = "LOCUS"207 output += " " * 7 # 6-12 spaces208 output += "%-9s" % self.locus209 output += " " # 22 space210 output += "%7s" % self.size211 if self.residue_type.find("PROTEIN") >= 0:212 output += " aa"213 else:214 output += " bp "215 # treat circular types differently, since they'll have long residue216 # types217 if self.residue_type.find("circular") >= 0:218 output += "%17s" % self.residue_type219 # second case: ss-DNA types of records220 elif self.residue_type.find("-") >= 0:221 output += "%7s" % self.residue_type222 output += " " * 10 # spaces for circular223 else:224 output += " " * 3 # spaces for stuff like ss-225 output += "%-4s" % self.residue_type226 output += " " * 10 # spaces for circular227 output += " " * 2228 output += "%3s" % self.data_file_division229 output += " " * 7 # spaces for 56-63230 output += "%11s" % self.date231 output += "\n"232 return output233 def _definition_line(self):234 """Provide output for the DEFINITION line.235 """236 output = Record.BASE_FORMAT % "DEFINITION"237 output += _wrapped_genbank(self.definition, Record.GB_BASE_INDENT)238 return output239 def _accession_line(self):240 """Output for the ACCESSION line.241 """242 if self.accession:243 output = Record.BASE_FORMAT % "ACCESSION"244 acc_info = ""245 for accession in self.accession:246 acc_info += "%s " % accession247 # strip off an extra space at the end248 acc_info = acc_info.rstrip()249 output += _wrapped_genbank(acc_info, Record.GB_BASE_INDENT)250 else:251 output = ""252 253 return output254 def _version_line(self):255 """Output for the VERSION line.256 """257 if self.version:258 output = Record.BASE_FORMAT % "VERSION"259 output += self.version260 output += " GI:"261 output += "%s\n" % self.gi262 else:263 output = ""264 return output265 def _project_line(self):266 output = ""267 if len(self.projects) > 0:268 output = Record.BASE_FORMAT % "PROJECT"269 output += "%s\n" % " ".join(self.projects)270 return output271 def _dblink_line(self):272 output = ""273 if len(self.dblinks) > 0:274 output = Record.BASE_FORMAT % "DBLINK"275 dblink_info = "\n".join(self.dblinks)276 output += _wrapped_genbank(dblink_info, Record.GB_BASE_INDENT)277 return output278 def _nid_line(self):279 """Output for the NID line. Use of NID is obsolete in GenBank files.280 """281 if self.nid:282 output = Record.BASE_FORMAT % "NID"283 output += "%s\n" % self.nid284 else:285 output = ""286 return output287 def _pid_line(self):288 """Output for PID line. Presumedly, PID usage is also obsolete.289 """290 if self.pid:291 output = Record.BASE_FORMAT % "PID"292 output += "%s\n" % self.pid293 else:294 output = ""295 return output296 def _keywords_line(self):297 """Output for the KEYWORDS line.298 """299 output = ""300 if len(self.keywords) >= 0:301 output += Record.BASE_FORMAT % "KEYWORDS"302 keyword_info = ""303 for keyword in self.keywords:304 keyword_info += "%s; " % keyword305 # replace the ; at the end with a period306 keyword_info = keyword_info[:-2]307 keyword_info += "."308 309 output += _wrapped_genbank(keyword_info,310 Record.GB_BASE_INDENT)311 return output312 def _db_source_line(self):313 """Output for DBSOURCE line.314 """315 if self.db_source:316 output = Record.BASE_FORMAT % "DBSOURCE"317 output += "%s\n" % self.db_source318 else:319 output = ""320 return output321 def _segment_line(self):322 """Output for the SEGMENT line.323 """324 output = ""325 if self.segment:326 output += Record.BASE_FORMAT % "SEGMENT"327 output += _wrapped_genbank(self.segment, Record.GB_BASE_INDENT)328 return output329 def _source_line(self):330 """Output for SOURCE line on where the sample came from.331 """332 output = Record.BASE_FORMAT % "SOURCE"333 output += _wrapped_genbank(self.source, Record.GB_BASE_INDENT)334 return output335 336 def _organism_line(self):337 """Output for ORGANISM line with taxonomy info.338 """339 output = Record.INTERNAL_FORMAT % "ORGANISM"340 # Now that species names can be too long, this line can wrap (Bug 2591)341 output += _wrapped_genbank(self.organism, Record.GB_BASE_INDENT)342 output += " " * Record.GB_BASE_INDENT343 taxonomy_info = ""344 for tax in self.taxonomy:345 taxonomy_info += "%s; " % tax346 # replace the ; at the end with a period347 taxonomy_info = taxonomy_info[:-2]348 taxonomy_info += "."349 output += _wrapped_genbank(taxonomy_info, Record.GB_BASE_INDENT)350 return output351 352 def _comment_line(self):353 """Output for the COMMENT lines.354 """355 output = ""356 if self.comment:357 output += Record.BASE_FORMAT % "COMMENT"358 output += _indent_genbank(self.comment,359 Record.GB_BASE_INDENT)360 return output361 def _features_line(self):362 """Output for the FEATURES line.363 """364 output = ""365 if len(self.features) > 0:366 output += Record.BASE_FEATURE_FORMAT % "FEATURES"367 output += "Location/Qualifiers\n"368 return output369 def _base_count_line(self):370 """Output for the BASE COUNT line with base information.371 """372 output = ""373 if self.base_counts:374 output += Record.BASE_FORMAT % "BASE COUNT "375 # split up the base counts into their individual parts376 count_parts = self.base_counts.split(" ")377 while '' in count_parts:378 count_parts.remove('')379 # deal with the standard case, with a normal origin line380 # like: 474 a 356 c 428 g 364 t381 if len(count_parts) % 2 == 0:382 while len(count_parts) > 0:383 count_info = count_parts.pop(0)384 count_type = count_parts.pop(0)385 output += "%7s %s" % (count_info, count_type)386 # deal with ugly ORIGIN lines like:387 # 1311257 a2224835 c2190093 g1309889 t388 # by just outputting the raw information389 else:390 output += self.base_counts391 output += "\n"392 return output393 def _origin_line(self):394 """Output for the ORIGIN line395 """396 output = ""397 # only output the ORIGIN line if we have a sequence398 if self.sequence:399 output += Record.BASE_FORMAT % "ORIGIN"400 if self.origin:401 output += _wrapped_genbank(self.origin,402 Record.GB_BASE_INDENT)403 else:404 output += "\n"405 return output406 def _sequence_line(self):407 """Output for all of the sequence.408 """409 output = ""410 if self.sequence:411 cur_seq_pos = 0412 while cur_seq_pos < len(self.sequence):413 output += Record.SEQUENCE_FORMAT % str(cur_seq_pos + 1)414 for section in range(6):415 start_pos = cur_seq_pos + section * 10416 end_pos = start_pos + 10417 seq_section = self.sequence[start_pos:end_pos]418 output += " %s" % seq_section.lower()419 # stop looping if we are out of sequence420 if end_pos > len(self.sequence):421 break422 423 output += "\n"424 cur_seq_pos += 60425 return output426 def _wgs_line(self):427 output = ""428 if self.wgs:429 output += Record.BASE_FORMAT % "WGS"430 output += self.wgs431 return output432 def _wgs_scafld_line(self):433 output = ""434 if self.wgs_scafld:435 output += Record.BASE_FORMAT % "WGS_SCAFLD"436 output += self.wgs_scafld437 return output438 439 def _contig_line(self):440 """Output for CONTIG location information from RefSeq.441 """442 output = ""443 if self.contig:444 output += Record.BASE_FORMAT % "CONTIG"445 output += _wrapped_genbank(self.contig,446 Record.GB_BASE_INDENT, split_char = ',')447 return output448 449class Reference:450 """Hold information from a GenBank reference.451 Attributes:452 o number - The number of the reference in the listing of references.453 o bases - The bases in the sequence the reference refers to.454 o authors - String with all of the authors.455 o consrtm - Consortium the authors belong to. 456 o title - The title of the reference.457 o journal - Information about the journal where the reference appeared.458 o medline_id - The medline id for the reference.459 o pubmed_id - The pubmed_id for the reference.460 o remark - Free-form remarks about the reference.461 """462 def __init__(self):463 self.number = ''464 self.bases = ''465 self.authors = ''466 self.consrtm = ''467 self.title = ''468 self.journal = ''469 self.medline_id = ''470 self.pubmed_id = ''471 self.remark = ''472 def __str__(self):473 output = self._reference_line()474 output += self._authors_line()475 output += self._consrtm_line()476 output += self._title_line()477 output += self._journal_line()478 output += self._medline_line()479 output += self._pubmed_line()480 output += self._remark_line()481 482 return output483 def _reference_line(self):484 """Output for REFERENCE lines.485 """486 output = Record.BASE_FORMAT % "REFERENCE"487 if self.number:488 if self.bases:489 output += "%-3s" % self.number490 output += "%s" % self.bases491 else:492 output += "%s" % self.number493 output += "\n"494 return output495 def _authors_line(self):496 """Output for AUTHORS information.497 """498 output = ""499 if self.authors:500 output += Record.INTERNAL_FORMAT % "AUTHORS"501 output += _wrapped_genbank(self.authors, Record.GB_BASE_INDENT)502 return output503 def _consrtm_line(self):504 """Output for CONSRTM information.505 """506 output = ""507 if self.consrtm:508 output += Record.INTERNAL_FORMAT % "CONSRTM"509 output += _wrapped_genbank(self.consrtm, Record.GB_BASE_INDENT)510 return output511 def _title_line(self):512 """Output for TITLE information.513 """514 output = ""515 if self.title:516 output += Record.INTERNAL_FORMAT % "TITLE"517 output += _wrapped_genbank(self.title, Record.GB_BASE_INDENT)518 return output519 def _journal_line(self):520 """Output for JOURNAL information.521 """522 output = ""523 if self.journal:524 output += Record.INTERNAL_FORMAT % "JOURNAL"525 output += _wrapped_genbank(self.journal, Record.GB_BASE_INDENT)526 return output527 def _medline_line(self):528 """Output for MEDLINE information.529 """530 output = ""531 if self.medline_id:532 output += Record.INTERNAL_FORMAT % "MEDLINE"533 output += self.medline_id + "\n"534 return output535 536 def _pubmed_line(self):537 """Output for PUBMED information.538 """539 output = ""540 if self.pubmed_id:541 output += Record.OTHER_INTERNAL_FORMAT % "PUBMED"542 output += self.pubmed_id + "\n"543 return output544 545 def _remark_line(self):546 """Output for REMARK information.547 """548 output = ""549 if self.remark:550 output += Record.INTERNAL_FORMAT % "REMARK"551 output += _wrapped_genbank(self.remark, Record.GB_BASE_INDENT)552 return output553 554class Feature:555 """Hold information about a Feature in the Feature Table of GenBank record.556 Attributes:557 o key - The key name of the featue (ie. source)558 o location - The string specifying the location of the feature.559 o qualfiers - A listing Qualifier objects in the feature.560 """561 def __init__(self):562 self.key = ''563 self.location = ''564 self.qualifiers = []565 def __str__(self):566 output = Record.INTERNAL_FEATURE_FORMAT % self.key567 output += _wrapped_genbank(self.location, Record.GB_FEATURE_INDENT,568 split_char = ',')569 for qualifier in self.qualifiers:570 output += " " * Record.GB_FEATURE_INDENT571 572 # determine whether we can wrap on spaces573 space_wrap = 1574 for no_space_key in \575 Bio.GenBank._BaseGenBankConsumer.remove_space_keys:576 if qualifier.key.find(no_space_key) >= 0:577 space_wrap = 0578 579 output += _wrapped_genbank(qualifier.key + qualifier.value,580 Record.GB_FEATURE_INDENT, space_wrap)581 return output582class Qualifier:583 """Hold information about a qualifier in a GenBank feature.584 Attributes:585 o key - The key name of the qualifier (ie. /organism=)586 o value - The value of the qualifier ("Dictyostelium discoideum").587 """588 def __init__(self):589 self.key = ''...

Full Screen

Full Screen

bgenObjectDefinition.py

Source:bgenObjectDefinition.py Github

copy

Full Screen

1from bgenOutput import *2from bgenGeneratorGroup import GeneratorGroup3class ObjectDefinition(GeneratorGroup):4 "Spit out code that together defines a new Python object type"5 basechain = "NULL"6 tp_flags = "Py_TPFLAGS_DEFAULT"7 basetype = None8 argref = "" # set to "*" if arg to <type>_New should be pointer9 argconst = "" # set to "const " if arg to <type>_New should be const10 def __init__(self, name, prefix, itselftype):11 """ObjectDefinition constructor. May be extended, but do not override.12 - name: the object's official name, e.g. 'SndChannel'.13 - prefix: the prefix used for the object's functions and data, e.g. 'SndCh'.14 - itselftype: the C type actually contained in the object, e.g. 'SndChannelPtr'.15 XXX For official Python data types, rules for the 'Py' prefix are a problem.16 """17 GeneratorGroup.__init__(self, prefix or name)18 self.name = name19 self.itselftype = itselftype20 self.objecttype = name + 'Object'21 self.typename = name + '_Type'22 self.static = "static " # set to "" to make <type>_New and <type>_Convert public23 self.modulename = None24 if hasattr(self, "assertions"):25 self.assertions()26 def add(self, g, dupcheck=0):27 g.setselftype(self.objecttype, self.itselftype)28 GeneratorGroup.add(self, g, dupcheck)29 def reference(self):30 # In case we are referenced from a module31 pass32 def setmodulename(self, name):33 self.modulename = name34 def generate(self):35 # XXX This should use long strings and %(varname)s substitution!36 OutHeader2("Object type " + self.name)37 self.outputCheck()38 Output("typedef struct %s {", self.objecttype)39 IndentLevel()40 Output("PyObject_HEAD")41 self.outputStructMembers()42 DedentLevel()43 Output("} %s;", self.objecttype)44 self.outputNew()45 self.outputConvert()46 self.outputDealloc()47 GeneratorGroup.generate(self)48 Output()49 self.outputMethodChain()50 self.outputGetattr()51 self.outputSetattr()52 self.outputCompare()53 self.outputRepr()54 self.outputHash()55 self.outputPEP253Hooks()56 self.outputTypeObject()57 OutHeader2("End object type " + self.name)58 def outputCheck(self):59 sf = self.static and "static "60 Output("%sPyTypeObject %s;", sf, self.typename)61 Output()62 Output("#define %s_Check(x) ((x)->ob_type == &%s || PyObject_TypeCheck((x), &%s))",63 self.prefix, self.typename, self.typename)64 Output()65 def outputMethodChain(self):66 Output("%sPyMethodChain %s_chain = { %s_methods, %s };",67 self.static, self.prefix, self.prefix, self.basechain)68 def outputStructMembers(self):69 Output("%s ob_itself;", self.itselftype)70 def outputNew(self):71 Output()72 Output("%sPyObject *%s_New(%s%s %sitself)", self.static, self.prefix,73 self.argconst, self.itselftype, self.argref)74 OutLbrace()75 Output("%s *it;", self.objecttype)76 self.outputCheckNewArg()77 Output("it = PyObject_NEW(%s, &%s);", self.objecttype, self.typename)78 Output("if (it == NULL) return NULL;")79 if self.basetype:80 Output("/* XXXX Should we tp_init or tp_new our basetype? */")81 self.outputInitStructMembers()82 Output("return (PyObject *)it;")83 OutRbrace()84 def outputInitStructMembers(self):85 Output("it->ob_itself = %sitself;", self.argref)86 def outputCheckNewArg(self):87 "Override this method to apply additional checks/conversions"88 def outputConvert(self):89 Output()90 Output("%sint %s_Convert(PyObject *v, %s *p_itself)", self.static, self.prefix,91 self.itselftype)92 OutLbrace()93 self.outputCheckConvertArg()94 Output("if (!%s_Check(v))", self.prefix)95 OutLbrace()96 Output('PyErr_SetString(PyExc_TypeError, "%s required");', self.name)97 Output("return 0;")98 OutRbrace()99 Output("*p_itself = ((%s *)v)->ob_itself;", self.objecttype)100 Output("return 1;")101 OutRbrace()102 def outputCheckConvertArg(self):103 "Override this method to apply additional conversions"104 def outputDealloc(self):105 Output()106 Output("static void %s_dealloc(%s *self)", self.prefix, self.objecttype)107 OutLbrace()108 self.outputCleanupStructMembers()109 if self.basetype:110 Output("%s.tp_dealloc((PyObject *)self);", self.basetype)111 elif hasattr(self, 'output_tp_free'):112 # This is a new-style object with tp_free slot113 Output("self->ob_type->tp_free((PyObject *)self);")114 else:115 Output("PyObject_Free((PyObject *)self);")116 OutRbrace()117 def outputCleanupStructMembers(self):118 self.outputFreeIt("self->ob_itself")119 def outputFreeIt(self, name):120 Output("/* Cleanup of %s goes here */", name)121 def outputGetattr(self):122 Output()123 Output("static PyObject *%s_getattr(%s *self, char *name)", self.prefix, self.objecttype)124 OutLbrace()125 self.outputGetattrBody()126 OutRbrace()127 def outputGetattrBody(self):128 self.outputGetattrHook()129 Output("return Py_FindMethodInChain(&%s_chain, (PyObject *)self, name);",130 self.prefix)131 def outputGetattrHook(self):132 pass133 def outputSetattr(self):134 Output()135 Output("#define %s_setattr NULL", self.prefix)136 def outputCompare(self):137 Output()138 Output("#define %s_compare NULL", self.prefix)139 def outputRepr(self):140 Output()141 Output("#define %s_repr NULL", self.prefix)142 def outputHash(self):143 Output()144 Output("#define %s_hash NULL", self.prefix)145 def outputTypeObject(self):146 sf = self.static and "static "147 Output()148 Output("%sPyTypeObject %s = {", sf, self.typename)149 IndentLevel()150 Output("PyObject_HEAD_INIT(NULL)")151 Output("0, /*ob_size*/")152 if self.modulename:153 Output("\"%s.%s\", /*tp_name*/", self.modulename, self.name)154 else:155 Output("\"%s\", /*tp_name*/", self.name)156 Output("sizeof(%s), /*tp_basicsize*/", self.objecttype)157 Output("0, /*tp_itemsize*/")158 Output("/* methods */")159 Output("(destructor) %s_dealloc, /*tp_dealloc*/", self.prefix)160 Output("0, /*tp_print*/")161 Output("(getattrfunc) %s_getattr, /*tp_getattr*/", self.prefix)162 Output("(setattrfunc) %s_setattr, /*tp_setattr*/", self.prefix)163 Output("(cmpfunc) %s_compare, /*tp_compare*/", self.prefix)164 Output("(reprfunc) %s_repr, /*tp_repr*/", self.prefix)165 Output("(PyNumberMethods *)0, /* tp_as_number */")166 Output("(PySequenceMethods *)0, /* tp_as_sequence */")167 Output("(PyMappingMethods *)0, /* tp_as_mapping */")168 Output("(hashfunc) %s_hash, /*tp_hash*/", self.prefix)169 DedentLevel()170 Output("};")171 def outputTypeObjectInitializer(self):172 Output("""%s.ob_type = &PyType_Type;""", self.typename)173 if self.basetype:174 Output("%s.tp_base = &%s;", self.typename, self.basetype)175 Output("if (PyType_Ready(&%s) < 0) return;", self.typename)176 Output("""Py_INCREF(&%s);""", self.typename)177 Output("PyModule_AddObject(m, \"%s\", (PyObject *)&%s);", self.name, self.typename);178 self.outputTypeObjectInitializerCompat()179 def outputTypeObjectInitializerCompat(self):180 Output("/* Backward-compatible name */")181 Output("""Py_INCREF(&%s);""", self.typename);182 Output("PyModule_AddObject(m, \"%sType\", (PyObject *)&%s);", self.name, self.typename);183 def outputPEP253Hooks(self):184 pass185class PEP252Mixin:186 getsetlist = []187 def assertions(self):188 # Check that various things aren't overridden. If they are it could189 # signify a bgen-client that has been partially converted to PEP252.190 assert self.outputGetattr.im_func == PEP252Mixin.outputGetattr.im_func191 assert self.outputSetattr.im_func == PEP252Mixin.outputSetattr.im_func192 assert self.outputGetattrBody == None193 assert self.outputGetattrHook == None194 assert self.basechain == "NULL"195 def outputGetattr(self):196 pass197 outputGetattrBody = None198 outputGetattrHook = None199 def outputSetattr(self):200 pass201 def outputMethodChain(self):202 # This is a good place to output the getters and setters203 self.outputGetSetList()204 def outputHook(self, name):205 methodname = "outputHook_" + name206 if hasattr(self, methodname):207 func = getattr(self, methodname)208 func()209 else:210 Output("0, /*%s*/", name)211 def outputTypeObject(self):212 sf = self.static and "static "213 Output()214 Output("%sPyTypeObject %s = {", sf, self.typename)215 IndentLevel()216 Output("PyObject_HEAD_INIT(NULL)")217 Output("0, /*ob_size*/")218 if self.modulename:219 Output("\"%s.%s\", /*tp_name*/", self.modulename, self.name)220 else:221 Output("\"%s\", /*tp_name*/", self.name)222 Output("sizeof(%s), /*tp_basicsize*/", self.objecttype)223 Output("0, /*tp_itemsize*/")224 Output("/* methods */")225 Output("(destructor) %s_dealloc, /*tp_dealloc*/", self.prefix)226 Output("0, /*tp_print*/")227 Output("(getattrfunc)0, /*tp_getattr*/")228 Output("(setattrfunc)0, /*tp_setattr*/")229 Output("(cmpfunc) %s_compare, /*tp_compare*/", self.prefix)230 Output("(reprfunc) %s_repr, /*tp_repr*/", self.prefix)231 Output("(PyNumberMethods *)0, /* tp_as_number */")232 Output("(PySequenceMethods *)0, /* tp_as_sequence */")233 Output("(PyMappingMethods *)0, /* tp_as_mapping */")234 Output("(hashfunc) %s_hash, /*tp_hash*/", self.prefix)235 self.outputHook("tp_call")236 Output("0, /*tp_str*/")237 Output("PyObject_GenericGetAttr, /*tp_getattro*/")238 Output("PyObject_GenericSetAttr, /*tp_setattro */")239 self.outputHook("tp_as_buffer")240 Output("%s, /* tp_flags */", self.tp_flags)241 self.outputHook("tp_doc")242 self.outputHook("tp_traverse")243 self.outputHook("tp_clear")244 self.outputHook("tp_richcompare")245 self.outputHook("tp_weaklistoffset")246 self.outputHook("tp_iter")247 self.outputHook("tp_iternext")248 Output("%s_methods, /* tp_methods */", self.prefix)249 self.outputHook("tp_members")250 Output("%s_getsetlist, /*tp_getset*/", self.prefix)251 self.outputHook("tp_base")252 self.outputHook("tp_dict")253 self.outputHook("tp_descr_get")254 self.outputHook("tp_descr_set")255 self.outputHook("tp_dictoffset")256 self.outputHook("tp_init")257 self.outputHook("tp_alloc")258 self.outputHook("tp_new")259 self.outputHook("tp_free")260 DedentLevel()261 Output("};")262 def outputGetSetList(self):263 if self.getsetlist:264 for name, get, set, doc in self.getsetlist:265 if get:266 self.outputGetter(name, get)267 else:268 Output("#define %s_get_%s NULL", self.prefix, name)269 Output()270 if set:271 self.outputSetter(name, set)272 else:273 Output("#define %s_set_%s NULL", self.prefix, name)274 Output()275 Output("static PyGetSetDef %s_getsetlist[] = {", self.prefix)276 IndentLevel()277 for name, get, set, doc in self.getsetlist:278 if doc:279 doc = '"' + doc + '"'280 else:281 doc = "NULL"282 Output("{\"%s\", (getter)%s_get_%s, (setter)%s_set_%s, %s},",283 name, self.prefix, name, self.prefix, name, doc)284 Output("{NULL, NULL, NULL, NULL},")285 DedentLevel()286 Output("};")287 else:288 Output("#define %s_getsetlist NULL", self.prefix)289 Output()290 def outputGetter(self, name, code):291 Output("static PyObject *%s_get_%s(%s *self, void *closure)",292 self.prefix, name, self.objecttype)293 OutLbrace()294 Output(code)295 OutRbrace()296 Output()297 def outputSetter(self, name, code):298 Output("static int %s_set_%s(%s *self, PyObject *v, void *closure)",299 self.prefix, name, self.objecttype)300 OutLbrace()301 Output(code)302 Output("return 0;")303 OutRbrace()304 Output()305class PEP253Mixin(PEP252Mixin):306 tp_flags = "Py_TPFLAGS_DEFAULT|Py_TPFLAGS_BASETYPE"307 def outputHook_tp_init(self):308 Output("%s_tp_init, /* tp_init */", self.prefix)309 def outputHook_tp_alloc(self):310 Output("%s_tp_alloc, /* tp_alloc */", self.prefix)311 def outputHook_tp_new(self):312 Output("%s_tp_new, /* tp_new */", self.prefix)313 def outputHook_tp_free(self):314 Output("%s_tp_free, /* tp_free */", self.prefix)315 def output_tp_initBody_basecall(self):316 """If a type shares its init call with its base type set output_tp_initBody317 to output_tp_initBody_basecall"""318 if self.basetype:319 Output("if (%s.tp_init)", self.basetype)320 OutLbrace()321 Output("if ( (*%s.tp_init)(_self, _args, _kwds) < 0) return -1;", self.basetype)322 OutRbrace()323 output_tp_initBody = None324 def output_tp_init(self):325 if self.output_tp_initBody:326 Output("static int %s_tp_init(PyObject *_self, PyObject *_args, PyObject *_kwds)", self.prefix)327 OutLbrace()328 self.output_tp_initBody()329 OutRbrace()330 else:331 Output("#define %s_tp_init 0", self.prefix)332 Output()333 output_tp_allocBody = None334 def output_tp_alloc(self):335 if self.output_tp_allocBody:336 Output("static PyObject *%s_tp_alloc(PyTypeObject *type, int nitems)",337 self.prefix)338 OutLbrace()339 self.output_tp_allocBody()340 OutRbrace()341 else:342 Output("#define %s_tp_alloc PyType_GenericAlloc", self.prefix)343 Output()344 def output_tp_newBody(self):345 Output("PyObject *_self;");346 Output("%s itself;", self.itselftype);347 Output("char *kw[] = {\"itself\", 0};")348 Output()349 Output("if (!PyArg_ParseTupleAndKeywords(_args, _kwds, \"O&\", kw, %s_Convert, &itself)) return NULL;",350 self.prefix);351 if self.basetype:352 Output("if (%s.tp_new)", self.basetype)353 OutLbrace()354 Output("if ( (*%s.tp_new)(type, _args, _kwds) == NULL) return NULL;", self.basetype)355 Dedent()356 Output("} else {")357 Indent()358 Output("if ((_self = type->tp_alloc(type, 0)) == NULL) return NULL;")359 OutRbrace()360 else:361 Output("if ((_self = type->tp_alloc(type, 0)) == NULL) return NULL;")362 Output("((%s *)_self)->ob_itself = itself;", self.objecttype)363 Output("return _self;")364 def output_tp_new(self):365 if self.output_tp_newBody:366 Output("static PyObject *%s_tp_new(PyTypeObject *type, PyObject *_args, PyObject *_kwds)", self.prefix)367 OutLbrace()368 self.output_tp_newBody()369 OutRbrace()370 else:371 Output("#define %s_tp_new PyType_GenericNew", self.prefix)372 Output()373 output_tp_freeBody = None374 def output_tp_free(self):375 if self.output_tp_freeBody:376 Output("static void %s_tp_free(PyObject *self)", self.prefix)377 OutLbrace()378 self.output_tp_freeBody()379 OutRbrace()380 else:381 Output("#define %s_tp_free PyObject_Del", self.prefix)382 Output()383 def outputPEP253Hooks(self):384 self.output_tp_init()385 self.output_tp_alloc()386 self.output_tp_new()387 self.output_tp_free()388class GlobalObjectDefinition(ObjectDefinition):389 """Like ObjectDefinition but exports some parts.390 XXX Should also somehow generate a .h file for them.391 """392 def __init__(self, name, prefix = None, itselftype = None):393 ObjectDefinition.__init__(self, name, prefix or name, itselftype or name)394 self.static = ""395class ObjectIdentityMixin:396 """A mixin class for objects that makes the identity of ob_itself397 govern comparisons and dictionary lookups. Useful if the C object can398 be returned by library calls and it is difficult (or impossible) to find399 the corresponding Python objects. With this you can create Python object400 wrappers on the fly"""401 def outputCompare(self):402 Output()403 Output("static int %s_compare(%s *self, %s *other)", self.prefix, self.objecttype,404 self.objecttype)405 OutLbrace()406 Output("unsigned long v, w;")407 Output()408 Output("if (!%s_Check((PyObject *)other))", self.prefix)409 OutLbrace()410 Output("v=(unsigned long)self;")411 Output("w=(unsigned long)other;")412 OutRbrace()413 Output("else")414 OutLbrace()415 Output("v=(unsigned long)self->ob_itself;")416 Output("w=(unsigned long)other->ob_itself;")417 OutRbrace()418 Output("if( v < w ) return -1;")419 Output("if( v > w ) return 1;")420 Output("return 0;")421 OutRbrace()422 def outputHash(self):423 Output()424 Output("static long %s_hash(%s *self)", self.prefix, self.objecttype)425 OutLbrace()426 Output("return (long)self->ob_itself;")...

Full Screen

Full Screen

grid_output.py

Source:grid_output.py Github

copy

Full Screen

...65 :rtype: GridOutput66 """67 return util.deserialize_model(dikt, cls)68 @property69 def p_grid_output(self) -> SourceOutput:70 """Gets the p_grid_output of this GridOutput.71 :return: The p_grid_output of this GridOutput.72 :rtype: SourceOutput73 """74 return self._p_grid_output75 @p_grid_output.setter76 def p_grid_output(self, p_grid_output: SourceOutput):77 """Sets the p_grid_output of this GridOutput.78 :param p_grid_output: The p_grid_output of this GridOutput.79 :type p_grid_output: SourceOutput80 """81 self._p_grid_output = p_grid_output82 @property83 def p_grid_r_output(self) -> SourceOutput:84 """Gets the p_grid_r_output of this GridOutput.85 :return: The p_grid_r_output of this GridOutput.86 :rtype: SourceOutput87 """88 return self._p_grid_r_output89 @p_grid_r_output.setter90 def p_grid_r_output(self, p_grid_r_output: SourceOutput):91 """Sets the p_grid_r_output of this GridOutput.92 :param p_grid_r_output: The p_grid_r_output of this GridOutput.93 :type p_grid_r_output: SourceOutput94 """95 self._p_grid_r_output = p_grid_r_output96 @property97 def p_grid_s_output(self) -> SourceOutput:98 """Gets the p_grid_s_output of this GridOutput.99 :return: The p_grid_s_output of this GridOutput.100 :rtype: SourceOutput101 """102 return self._p_grid_s_output103 @p_grid_s_output.setter104 def p_grid_s_output(self, p_grid_s_output: SourceOutput):105 """Sets the p_grid_s_output of this GridOutput.106 :param p_grid_s_output: The p_grid_s_output of this GridOutput.107 :type p_grid_s_output: SourceOutput108 """109 self._p_grid_s_output = p_grid_s_output110 @property111 def p_grid_t_output(self) -> SourceOutput:112 """Gets the p_grid_t_output of this GridOutput.113 :return: The p_grid_t_output of this GridOutput.114 :rtype: SourceOutput115 """116 return self._p_grid_t_output117 @p_grid_t_output.setter118 def p_grid_t_output(self, p_grid_t_output: SourceOutput):119 """Sets the p_grid_t_output of this GridOutput.120 :param p_grid_t_output: The p_grid_t_output of this GridOutput.121 :type p_grid_t_output: SourceOutput122 """123 self._p_grid_t_output = p_grid_t_output124 @property125 def q_grid_output(self) -> SourceOutput:126 """Gets the q_grid_output of this GridOutput.127 :return: The q_grid_output of this GridOutput.128 :rtype: SourceOutput129 """130 return self._q_grid_output131 @q_grid_output.setter132 def q_grid_output(self, q_grid_output: SourceOutput):133 """Sets the q_grid_output of this GridOutput.134 :param q_grid_output: The q_grid_output of this GridOutput.135 :type q_grid_output: SourceOutput136 """137 self._q_grid_output = q_grid_output138 @property139 def q_grid_r_output(self) -> SourceOutput:140 """Gets the q_grid_r_output of this GridOutput.141 :return: The q_grid_r_output of this GridOutput.142 :rtype: SourceOutput143 """144 return self._q_grid_r_output145 @q_grid_r_output.setter146 def q_grid_r_output(self, q_grid_r_output: SourceOutput):147 """Sets the q_grid_r_output of this GridOutput.148 :param q_grid_r_output: The q_grid_r_output of this GridOutput.149 :type q_grid_r_output: SourceOutput150 """151 self._q_grid_r_output = q_grid_r_output152 @property153 def q_grid_s_output(self) -> SourceOutput:154 """Gets the q_grid_s_output of this GridOutput.155 :return: The q_grid_s_output of this GridOutput.156 :rtype: SourceOutput157 """158 return self._q_grid_s_output159 @q_grid_s_output.setter160 def q_grid_s_output(self, q_grid_s_output: SourceOutput):161 """Sets the q_grid_s_output of this GridOutput.162 :param q_grid_s_output: The q_grid_s_output of this GridOutput.163 :type q_grid_s_output: SourceOutput164 """165 self._q_grid_s_output = q_grid_s_output166 @property167 def q_grid_t_output(self) -> SourceOutput:168 """Gets the q_grid_t_output of this GridOutput.169 :return: The q_grid_t_output of this GridOutput.170 :rtype: SourceOutput171 """172 return self._q_grid_t_output173 @q_grid_t_output.setter174 def q_grid_t_output(self, q_grid_t_output: SourceOutput):175 """Sets the q_grid_t_output of this GridOutput.176 :param q_grid_t_output: The q_grid_t_output of this GridOutput.177 :type q_grid_t_output: SourceOutput178 """...

Full Screen

Full Screen

results_options.py

Source:results_options.py Github

copy

Full Screen

1# Copyright 2014 The Chromium Authors. All rights reserved.2# Use of this source code is governed by a BSD-style license that can be3# found in the LICENSE file.4import optparse5import os6import sys7from telemetry.core import util8from telemetry.results import buildbot_output_formatter9from telemetry.results import chart_json_output_formatter10from telemetry.results import csv_output_formatter11from telemetry.results import csv_pivot_table_output_formatter12from telemetry.results import gtest_progress_reporter13from telemetry.results import html_output_formatter14from telemetry.results import json_output_formatter15from telemetry.results import page_test_results16from telemetry.results import progress_reporter17# Allowed output formats. The default is the first item in the list.18_OUTPUT_FORMAT_CHOICES = ('html', 'buildbot', 'csv', 'gtest', 'json',19 'chartjson', 'csv-pivot-table', 'none')20# Filenames to use for given output formats.21_OUTPUT_FILENAME_LOOKUP = {22 'html': 'results.html',23 'csv': 'results.csv',24 'json': 'results.json',25 'chartjson': 'results-chart.json',26 'csv-pivot-table': 'results-pivot-table.csv'27}28def AddResultsOptions(parser):29 group = optparse.OptionGroup(parser, 'Results options')30 group.add_option('--chartjson', action='store_true',31 help='Output Chart JSON. Ignores --output-format.')32 group.add_option('--output-format', action='append', dest='output_formats',33 choices=_OUTPUT_FORMAT_CHOICES, default=[],34 help='Output format. Defaults to "%%default". '35 'Can be %s.' % ', '.join(_OUTPUT_FORMAT_CHOICES))36 group.add_option('-o', '--output',37 dest='output_file',38 default=None,39 help='Redirects output to a file. Defaults to stdout.')40 group.add_option('--output-dir', default=util.GetBaseDir(),41 help='Where to save output data after the run.')42 group.add_option('--output-trace-tag',43 default='',44 help='Append a tag to the key of each result trace. Use '45 'with html, buildbot, csv-pivot-table output formats.')46 group.add_option('--reset-results', action='store_true',47 help='Delete all stored results.')48 group.add_option('--upload-results', action='store_true',49 help='Upload the results to cloud storage.')50 group.add_option('--upload-bucket', default='internal',51 choices=['public', 'partner', 'internal'],52 help='Storage bucket to use for the uploaded results. '53 'Defaults to internal. Supported values are: '54 'public, partner, internal')55 group.add_option('--results-label',56 default=None,57 help='Optional label to use for the results of a run .')58 group.add_option('--suppress_gtest_report',59 default=False,60 help='Whether to suppress GTest progress report.')61 parser.add_option_group(group)62def ProcessCommandLineArgs(parser, args):63 # TODO(ariblue): Delete this flag entirely at some future data, when the64 # existence of such a flag has been long forgotten.65 if args.output_file:66 parser.error('This flag is deprecated. Please use --output-dir instead.')67 try:68 os.makedirs(args.output_dir)69 except OSError:70 # Do nothing if the output directory already exists. Existing files will71 # get overwritten.72 pass73 args.output_dir = os.path.expanduser(args.output_dir)74def _GetOutputStream(output_format, output_dir):75 assert output_format in _OUTPUT_FORMAT_CHOICES, 'Must specify a valid format.'76 assert output_format not in ('gtest', 'none'), (77 'Cannot set stream for \'gtest\' or \'none\' output formats.')78 if output_format == 'buildbot':79 return sys.stdout80 assert output_format in _OUTPUT_FILENAME_LOOKUP, (81 'No known filename for the \'%s\' output format' % output_format)82 output_file = os.path.join(output_dir, _OUTPUT_FILENAME_LOOKUP[output_format])83 open(output_file, 'a').close() # Create file if it doesn't exist.84 return open(output_file, 'r+')85def _GetProgressReporter(output_skipped_tests_summary, suppress_gtest_report):86 if suppress_gtest_report:87 return progress_reporter.ProgressReporter()88 return gtest_progress_reporter.GTestProgressReporter(89 sys.stdout, output_skipped_tests_summary=output_skipped_tests_summary)90def CreateResults(benchmark_metadata, options,91 value_can_be_added_predicate=lambda v, is_first: True):92 """93 Args:94 options: Contains the options specified in AddResultsOptions.95 """96 if not options.output_formats:97 options.output_formats = [_OUTPUT_FORMAT_CHOICES[0]]98 output_formatters = []99 for output_format in options.output_formats:100 if output_format == 'none' or output_format == "gtest" or options.chartjson:101 continue102 output_stream = _GetOutputStream(output_format, options.output_dir)103 if output_format == 'csv':104 output_formatters.append(csv_output_formatter.CsvOutputFormatter(105 output_stream))106 elif output_format == 'csv-pivot-table':107 output_formatters.append(108 csv_pivot_table_output_formatter.CsvPivotTableOutputFormatter(109 output_stream, trace_tag=options.output_trace_tag))110 elif output_format == 'buildbot':111 output_formatters.append(112 buildbot_output_formatter.BuildbotOutputFormatter(113 output_stream, trace_tag=options.output_trace_tag))114 elif output_format == 'html':115 # TODO(chrishenry): We show buildbot output so that users can grep116 # through the results easily without needing to open the html117 # file. Another option for this is to output the results directly118 # in gtest-style results (via some sort of progress reporter),119 # as we plan to enable gtest-style output for all output formatters.120 output_formatters.append(121 buildbot_output_formatter.BuildbotOutputFormatter(122 sys.stdout, trace_tag=options.output_trace_tag))123 output_formatters.append(html_output_formatter.HtmlOutputFormatter(124 output_stream, benchmark_metadata, options.reset_results,125 options.upload_results, options.browser_type,126 options.results_label, trace_tag=options.output_trace_tag))127 elif output_format == 'json':128 output_formatters.append(json_output_formatter.JsonOutputFormatter(129 output_stream, benchmark_metadata))130 elif output_format == 'chartjson':131 output_formatters.append(132 chart_json_output_formatter.ChartJsonOutputFormatter(133 output_stream, benchmark_metadata))134 else:135 # Should never be reached. The parser enforces the choices.136 raise Exception('Invalid --output-format "%s". Valid choices are: %s'137 % (output_format, ', '.join(_OUTPUT_FORMAT_CHOICES)))138 # TODO(chrishenry): This is here to not change the output of139 # gtest. Let's try enabling skipped tests summary for gtest test140 # results too (in a separate patch), and see if we break anything.141 output_skipped_tests_summary = 'gtest' in options.output_formats142 reporter = _GetProgressReporter(output_skipped_tests_summary,143 options.suppress_gtest_report)144 return page_test_results.PageTestResults(145 output_formatters=output_formatters, progress_reporter=reporter,146 output_dir=options.output_dir,...

Full Screen

Full Screen

pv_output.py

Source:pv_output.py Github

copy

Full Screen

...65 :rtype: PVOutput66 """67 return util.deserialize_model(dikt, cls)68 @property69 def p_pv_output(self) -> SourceOutput:70 """Gets the p_pv_output of this PVOutput.71 :return: The p_pv_output of this PVOutput.72 :rtype: SourceOutput73 """74 return self._p_pv_output75 @p_pv_output.setter76 def p_pv_output(self, p_pv_output: SourceOutput):77 """Sets the p_pv_output of this PVOutput.78 :param p_pv_output: The p_pv_output of this PVOutput.79 :type p_pv_output: SourceOutput80 """81 self._p_pv_output = p_pv_output82 @property83 def p_pv_r_output(self) -> SourceOutput:84 """Gets the p_pv_r_output of this PVOutput.85 :return: The p_pv_r_output of this PVOutput.86 :rtype: SourceOutput87 """88 return self._p_pv_r_output89 @p_pv_r_output.setter90 def p_pv_r_output(self, p_pv_r_output: SourceOutput):91 """Sets the p_pv_r_output of this PVOutput.92 :param p_pv_r_output: The p_pv_r_output of this PVOutput.93 :type p_pv_r_output: SourceOutput94 """95 self._p_pv_r_output = p_pv_r_output96 @property97 def p_pv_s_output(self) -> SourceOutput:98 """Gets the p_pv_s_output of this PVOutput.99 :return: The p_pv_s_output of this PVOutput.100 :rtype: SourceOutput101 """102 return self._p_pv_s_output103 @p_pv_s_output.setter104 def p_pv_s_output(self, p_pv_s_output: SourceOutput):105 """Sets the p_pv_s_output of this PVOutput.106 :param p_pv_s_output: The p_pv_s_output of this PVOutput.107 :type p_pv_s_output: SourceOutput108 """109 self._p_pv_s_output = p_pv_s_output110 @property111 def p_pv_t_output(self) -> SourceOutput:112 """Gets the p_pv_t_output of this PVOutput.113 :return: The p_pv_t_output of this PVOutput.114 :rtype: SourceOutput115 """116 return self._p_pv_t_output117 @p_pv_t_output.setter118 def p_pv_t_output(self, p_pv_t_output: SourceOutput):119 """Sets the p_pv_t_output of this PVOutput.120 :param p_pv_t_output: The p_pv_t_output of this PVOutput.121 :type p_pv_t_output: SourceOutput122 """123 self._p_pv_t_output = p_pv_t_output124 @property125 def q_pv_output(self) -> SourceOutput:126 """Gets the q_pv_output of this PVOutput.127 :return: The q_pv_output of this PVOutput.128 :rtype: SourceOutput129 """130 return self._q_pv_output131 @q_pv_output.setter132 def q_pv_output(self, q_pv_output: SourceOutput):133 """Sets the q_pv_output of this PVOutput.134 :param q_pv_output: The q_pv_output of this PVOutput.135 :type q_pv_output: SourceOutput136 """137 self._q_pv_output = q_pv_output138 @property139 def q_pv_r_output(self) -> SourceOutput:140 """Gets the q_pv_r_output of this PVOutput.141 :return: The q_pv_r_output of this PVOutput.142 :rtype: SourceOutput143 """144 return self._q_pv_r_output145 @q_pv_r_output.setter146 def q_pv_r_output(self, q_pv_r_output: SourceOutput):147 """Sets the q_pv_r_output of this PVOutput.148 :param q_pv_r_output: The q_pv_r_output of this PVOutput.149 :type q_pv_r_output: SourceOutput150 """151 self._q_pv_r_output = q_pv_r_output152 @property153 def q_pv_s_output(self) -> SourceOutput:154 """Gets the q_pv_s_output of this PVOutput.155 :return: The q_pv_s_output of this PVOutput.156 :rtype: SourceOutput157 """158 return self._q_pv_s_output159 @q_pv_s_output.setter160 def q_pv_s_output(self, q_pv_s_output: SourceOutput):161 """Sets the q_pv_s_output of this PVOutput.162 :param q_pv_s_output: The q_pv_s_output of this PVOutput.163 :type q_pv_s_output: SourceOutput164 """165 self._q_pv_s_output = q_pv_s_output166 @property167 def q_pv_t_output(self) -> SourceOutput:168 """Gets the q_pv_t_output of this PVOutput.169 :return: The q_pv_t_output of this PVOutput.170 :rtype: SourceOutput171 """172 return self._q_pv_t_output173 @q_pv_t_output.setter174 def q_pv_t_output(self, q_pv_t_output: SourceOutput):175 """Sets the q_pv_t_output of this PVOutput.176 :param q_pv_t_output: The q_pv_t_output of this PVOutput.177 :type q_pv_t_output: SourceOutput178 """...

Full Screen

Full Screen

LabArqui.py

Source:LabArqui.py Github

copy

Full Screen

...17GPIO.setup(12, GPIO.OUT)#reley18dato = 019def uno():20 GPIO.setmode(GPIO.BCM)21 GPIO.output(26, False)#A22 GPIO.output(13, True)#B23 GPIO.output(21, True)#C24 GPIO.output(20, False)#D25 GPIO.output(16, False)#E26 GPIO.output(6, False)#F27 GPIO.output(19, False)#G28 GPIO.output(12, False)#reley29 30def dos():31 GPIO.setmode(GPIO.BCM)32 GPIO.output(26, True)#A33 GPIO.output(13, True)#B34 GPIO.output(21, False)#C35 GPIO.output(20, True)#D36 GPIO.output(16, True)#E37 GPIO.output(6, False)#F38 GPIO.output(19, True)#G39 GPIO.output(12, False)#reley40def tres():41 GPIO.setmode(GPIO.BCM)42 GPIO.output(26, True)#A43 GPIO.output(13, True)#B44 GPIO.output(21, True)#C45 GPIO.output(20, True)#D46 GPIO.output(16, False)#E47 GPIO.output(6, False)#F48 GPIO.output(19, True)#G49 GPIO.output(12, True)#reley50def cuatro():51 GPIO.setmode(GPIO.BCM)52 GPIO.output(26, False)#A53 GPIO.output(13, True)#B54 GPIO.output(21, True)#C55 GPIO.output(20, False)#D56 GPIO.output(16, False)#E57 GPIO.output(6, True)#F58 GPIO.output(19, True)#G59 GPIO.output(12, True)#reley60def cinco():61 GPIO.setmode(GPIO.BCM)62 GPIO.output(26, True)#A63 GPIO.output(13, False)#B64 GPIO.output(21, True)#C65 GPIO.output(20, True)#D66 GPIO.output(16, False)#E67 GPIO.output(6, True)#F68 GPIO.output(19, True)#G69 GPIO.output(12, True)#reley70 71def seis():72 GPIO.setmode(GPIO.BCM)73 GPIO.output(26, True)#A74 GPIO.output(13, False)#B75 GPIO.output(21, True)#C76 GPIO.output(20, True)#D77 GPIO.output(16, True)#E78 GPIO.output(6, True)#F79 GPIO.output(19, True)#G80 GPIO.output(12, True)#reley81def siete():82 GPIO.setmode(GPIO.BCM)83 GPIO.output(26, True)#A84 GPIO.output(13, True)#B85 GPIO.output(21, True)#C86 GPIO.output(20, False)#D87 GPIO.output(16, False)#E88 GPIO.output(6, False)#F89 GPIO.output(19, False)#G90 GPIO.output(12, False)#reley91def ocho():92 GPIO.setmode(GPIO.BCM)93 GPIO.output(26, True)#A94 GPIO.output(13, True)#B95 GPIO.output(21, True)#C96 GPIO.output(20, True)#D97 GPIO.output(16, True)#E98 GPIO.output(6, True)#F99 GPIO.output(19, True)#G100 GPIO.output(12, True)#reley101 102def nueve():103 GPIO.setmode(GPIO.BCM)104 GPIO.output(26, True)#A105 GPIO.output(13, True)#B106 GPIO.output(21, True)#C107 GPIO.output(20, False)#D108 GPIO.output(16, False)#E109 GPIO.output(6, True)#F110 GPIO.output(19, True)#G111 GPIO.output(12, False)#reley112def cero():113 GPIO.setmode(GPIO.BCM)114 GPIO.output(26, True)#A115 GPIO.output(13, True)#B116 GPIO.output(21, True)#C117 GPIO.output(20, True)#D118 GPIO.output(16, True)#E119 GPIO.output(6, True)#F120 GPIO.output(19, False)#G121 GPIO.output(12, True)#reley122 123def nada():124 GPIO.setmode(GPIO.BCM)125 GPIO.output(26, False)#A126 GPIO.output(13, False)#B127 GPIO.output(21, False)#C128 GPIO.output(20, False)#D129 GPIO.output(16, False)#E130 GPIO.output(6, False)#F131 GPIO.output(19, False)#G132 133def base(tiempo,contador):134 url = 'http://192.168.0.100:8080/Insert'135 body = {"object_to_insert": {"Dispositivo":"RaspberrypiBALR","Fecha" : tiempo, "Valor Contador" : contador }} #Crear uno por cada objeto que se desee insertar en la base, el campo "object_to_insert" es obligatorio136 resp = requests.post(url, json=body)137 print(resp.status_code)138 print(resp.json())139while True:140 if GPIO.input(22):141 if GPIO.input(23):142 tiempo = f"{time.localtime().tm_mday}/{time.localtime().tm_mon}/{time.localtime().tm_year} , {time.localtime().tm_hour}:{time.localtime().tm_min}:{time.localtime().tm_sec}"143 dato = dato + 1144 url = 'http://1f73-190-104-112-77.ngrok.io/data/%s' % dato 145 urlget = requests.get(url)...

Full Screen

Full Screen

formatter.py

Source:formatter.py Github

copy

Full Screen

1#2# Copyright 2012-2015 Bronto Software, Inc. and contributors3#4# Licensed under the Apache License, Version 2.0 (the "License");5# you may not use this file except in compliance with the License.6# You may obtain a copy of the License at7#8# http://www.apache.org/licenses/LICENSE-2.09#10# Unless required by applicable law or agreed to in writing, software11# distributed under the License is distributed on an "AS IS" BASIS,12# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.13# See the License for the specific language governing permissions and14# limitations under the License.15#16"""17Convert Java syntax tree nodes to string representations.18"""19import javalang20from .util import StringBuilder21# The order for displaying modifiers22__modifiers_order = ('public', 'protected', 'private', 'static', 'abstract', 'final',23 'native', 'synchronized', 'transient', 'volatile', 'strictfp')24def formatter(f):25 def _f(node, output=None, **kwargs):26 if output is None:27 output = StringBuilder()28 f(node, output, **kwargs)29 return output30 return _f31def output_list(f, items, output=None, sep=', '):32 if items:33 f(items[0], output)34 for item in items[1:]:35 output.append(sep)36 f(item, output)37@formatter38def output_annotation(annotation, output):39 output.append('@')40 output.append(annotation.name)41 output.append(' ')42@formatter43def output_type(type, output, with_generics=True):44 if not type:45 output.append('void')46 return47 if type.dimensions:48 dim = '[]' * len(type.dimensions)49 else:50 dim = ''51 if isinstance(type, javalang.tree.BasicType):52 output.append(type.name)53 else:54 while type:55 output.append(type.name)56 if with_generics:57 output_type_args(type.arguments, output)58 type = type.sub_type59 if type:60 output.append('.')61 output.append(dim)62@formatter63def output_exception(exception, output):64 output.append(exception)65@formatter66def output_type_arg(type_arg, output):67 if type_arg.pattern_type == '?':68 output.append('?')69 else:70 if type_arg.pattern_type:71 output.append('? ')72 output.append(type_arg.pattern_type)73 output.append(' ')74 output_type(type_arg.type, output)75@formatter76def output_type_args(type_args, output):77 if type_args:78 output.append('<')79 output_list(output_type_arg, type_args, output, ', ')80 output.append('>')81@formatter82def output_type_param(type_param, output):83 output.append(type_param.name)84 if type_param.extends:85 output.append(' extends ')86 output_list(output_type, type_param.extends, output, ' & ')87@formatter88def output_type_params(type_params, output):89 if type_params:90 output.append('<')91 output_list(output_type_param, type_params, output, ', ')92 output.append('>')93@formatter94def output_declaration(declaration, output):95 for annotation in declaration.annotations:96 output_annotation(annotation, output)97 output_modifiers(declaration.modifiers, output)98 output.append(' ')99 if isinstance(declaration, javalang.tree.ClassDeclaration):100 output.append('class ')101 elif isinstance(declaration, javalang.tree.EnumDeclaration):102 output.append('enum ')103 elif isinstance(declaration, javalang.tree.InterfaceDeclaration):104 output.append('interface ')105 elif isinstance(declaration, javalang.tree.AnnotationDeclaration):106 output.append('@interface ')107 output.append(declaration.name)108 if isinstance(declaration, (javalang.tree.ClassDeclaration, javalang.tree.InterfaceDeclaration)):109 output_type_params(declaration.type_parameters, output)110 if isinstance(declaration, javalang.tree.ClassDeclaration) and declaration.extends:111 output.append(' extends ')112 output_type(declaration.extends, output)113 if isinstance(declaration, javalang.tree.InterfaceDeclaration) and declaration.extends:114 output.append(' extends ')115 output_list(output_type, declaration.extends, output, ', ')116 if isinstance(declaration, (javalang.tree.ClassDeclaration, javalang.tree.EnumDeclaration)) and declaration.implements:117 output.append(' implements ')118 output_list(output_type, declaration.implements, output, ', ')119@formatter120def output_formal_param(param, output):121 output_type(param.type, output)122 if param.varargs:123 output.append('...')124 output.append(' ')125 output.append(param.name)126@formatter127def output_modifiers(modifiers, output):128 ordered_modifiers = [mod for mod in __modifiers_order if mod in modifiers]...

Full Screen

Full Screen

Using AI Code Generation

copy

Full Screen

1import { output } from 'ng-mocks';2import { MockBuilder, MockRender } from 'ng-mocks';3import { MockComponent } from 'ng-mocks';4import { MockModule } from 'ng-mocks';5import { MockRender } from 'ng-mocks';6import { MockService } from 'ng-mocks';7import { MockedComponent } from 'ng-mocks';8import { MockedDirective } from 'ng-mocks';9import { MockedPipe } from 'ng-mocks';10import { MockedProvider } from 'ng-mocks';11import { MockedRender } from 'ng-mocks';12import { MockedService } from 'ng-mocks';13import { MockedType } from 'ng-mocks';14import { MockedUtility } from 'ng-mocks';15import { MockInstance } from 'ng-mocks';16import { MockReset } from 'ng-mocks';17import { MockRender } from 'ng-mocks';18import { MockService } from 'ng-mocks';19import { MockRender } from 'ng-mocks';20import { MockService } from 'ng-mocks';21import { MockRender } from 'ng-mocks';22import { MockService } from 'ng-mocks';23import { MockRender } from 'ng-mocks';24import { MockService } from 'ng-mocks';25import { MockRender } from 'ng-mocks';26import { MockService } from 'ng-mocks';27import { MockRender } from 'ng-mocks';

Full Screen

Using AI Code Generation

copy

Full Screen

1import { output } from 'ng-mocks';2import { output } from 'ng-mocks';3import { output } from 'ng-mocks';4import { output } from 'ng-mocks';5import { output } from 'ng-mocks';6import { output } from 'ng-mocks';7import { output } from 'ng-mocks';8import { output } from 'ng-mocks';9import { output } from 'ng-mocks';10import { output } from 'ng-mocks';11import { output } from 'ng-mocks';12import { output } from 'ng-mocks';13import { output } from 'ng-mocks';14import { output } from 'ng-mocks';15import { output } from 'ng-mocks';16import { output } from 'ng-mocks';17import { output } from 'ng-mocks';18import { output } from 'ng-mocks';19import { output } from 'ng-mocks';20import { output } from 'ng-mocks';

Full Screen

Using AI Code Generation

copy

Full Screen

1 import { output } from 'ng-mocks';2 describe('MyComponent', () => {3 let component: MyComponent;4 let fixture: ComponentFixture<MyComponent>;5 beforeEach(async(() => {6 TestBed.configureTestingModule({7 imports: [MatDialogModule],8 }).compileComponents();9 }));10 beforeEach(() => {11 fixture = TestBed.createComponent(MyComponent);12 component = fixture.componentInstance;13 fixture.detectChanges();14 });15 it('should create', () => {16 expect(component).toBeTruthy();17 });18 it('should open dialog', () => {19 component.openDialog();20 const dialog = output(fixture.debugElement, 'dialogOpened').dialogRef;21 expect(dialog).toBeDefined();22 });23 });24 import { Component, OnInit, Output, EventEmitter } from '@angular/core';25 import { MatDialog, MatDialogRef } from '@angular/material/dialog';26 @Component({27 })28 export class MyComponent implements OnInit {29 @Output() dialogOpened = new EventEmitter<MatDialogRef<any>>();30 constructor(public dialog: MatDialog) {}31 ngOnInit(): void {}32 openDialog() {33 const dialogRef = this.dialog.open(DialogComponent, {34 data: { name: 'test', animal: 'test' },35 });36 this.dialogOpened.emit(dialogRef);37 }38 }39 import { Component, Inject, OnInit } from '@angular/core';40 import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';41 export interface DialogData {42 animal: string;43 name: string;44 }45 @Component({46 })47 export class DialogComponent implements OnInit {48 constructor(49 @Inject(MAT_DIALOG_DATA) public data: DialogData50 ) {}51 ngOnInit(): void {}52 onNoClick(): void {53 this.dialogRef.close();54 }55 }56 <h1 mat-dialog-title>Hi {{ data.name }}</h1>

Full Screen

Using AI Code Generation

copy

Full Screen

1import { output } from 'ng-mocks';2import { MyService } from './myservice';3import { MyComponent } from './mycomponent';4describe('MyComponent', () => {5 it('should output', () => {6 const service = new MyService();7 const component = new MyComponent(service);8 component.ngOnInit();9 expect(output(component, 'myOutput')).toEqual(['myValue']);10 });11});12import { MockBuilder } from 'ng-mocks';13import { MyComponent } from './mycomponent';14describe('MyComponent', () => {15 beforeEach(() => MockBuilder(MyComponent).setInput({ myInput: 'myValue' }));16 it('should render', () => {17 const fixture = MockRender(MyComponent);18 expect(fixture.nativeElement.innerHTML).toEqual('myValue');19 });20});21import { MockRender } from 'ng-mocks';22import { MyComponent } from './mycomponent';23describe('MyComponent', () => {24 it('should render', () => {25 const fixture = MockRender(MyComponent, { myInput: 'myValue' });26 expect(fixture.nativeElement.innerHTML).toEqual('myValue');27 });28});29import { MockBuilder } from 'ng-mocks';30import { MyComponent } from './mycomponent';31import { MyChildComponent } from './mychildcomponent';32describe('MyComponent', () => {33 beforeEach(() => MockBuilder(MyComponent).setViewChild(MyChildComponent));34 it('should render', () => {35 const fixture = MockRender(MyComponent);36 expect(fixture.nativeElement.innerHTML).toEqual('myValue');37 });38});

Full Screen

Using AI Code Generation

copy

Full Screen

1import { Component, NgModule } from '@angular/core';2import { MockBuilder, MockRender } from 'ng-mocks';3import { TestComponent } from './test.component';4@Component({5})6export class TestComponent {}7@NgModule({8})9export class TestModule {}10describe('TestComponent', () => {11 beforeEach(() => MockBuilder(TestComponent, TestModule));12 it('should create', () => {13 const fixture = MockRender(TestComponent);14 console.log(fixture.nativeElement.innerHTML);15 });16});17import { Component, EventEmitter, Output } from '@angular/core';18@Component({19})20export class TestComponent {21 @Output() testEvent = new EventEmitter<string>();22}23import { Component, EventEmitter, Output } from '@angular/core';24import { MockBuilder, MockRender, MockInstance } from 'ng-mocks';25import { TestComponent } from './test.component';26@Component({27})28export class TestComponent {29 @Output() testEvent = new EventEmitter<string>();30}31describe('TestComponent', () => {32 beforeEach(() => MockBuilder(TestComponent));33 it('should create', () => {34 const fixture = MockRender(TestComponent);35 const testComponent = MockInstance(TestComponent);36 testComponent.testEvent.emit('test');37 expect(testComponent.testEvent).toHaveBeenCalled();38 });39});40import { Component, EventEmitter, Output } from '@angular/core';41import { MockBuilder, MockRender, MockInstance } from 'ng-mocks';42import { TestComponent } from './test.component';43@Component({44})45export class TestComponent {46 @Output() testEvent = new EventEmitter<string>();47}48describe('TestComponent', () => {49 beforeEach(() => MockBuilder(TestComponent));50 it('should create', () => {51 const fixture = MockRender(TestComponent);52 const testComponent = MockInstance(TestComponent);

Full Screen

Using AI Code Generation

copy

Full Screen

1import { output } from 'ng-mocks';2describe('TestComponent', () => {3 it('should render the component', () => {4 const fixture = MockRender(TestComponent);5 expect(output(fixture.nativeElement, 'output')).toBe('output');6 });7});8import { TestComponent } from './test.js';9describe('TestComponent', () => {10 it('should render the component', () => {11 const fixture = MockRender(TestComponent);12 expect(output(fixture.nativeElement, 'output')).toBe('output');13 });14});

Full Screen

Using AI Code Generation

copy

Full Screen

1var output = ngMocks.output('myDirective', {name: 'John'});2expect(output).toEqual('Hello John');3var output = ngMocks.output('myDirective', {name: 'John'});4expect(output).toEqual('Hello John');5var output = ngMocks.output('myDirective', {name: 'John'});6expect(output).toEqual('Hello John');7var output = ngMocks.output('myDirective', {name: 'John'});8expect(output).toEqual('Hello John');9var output = ngMocks.output('myDirective', {name: 'John'});10expect(output).toEqual('Hello John');11var output = ngMocks.output('myDirective', {name: 'John'});12expect(output).toEqual('Hello John');13var output = ngMocks.output('myDirective', {name: 'John'});14expect(output).toEqual('Hello John');15var output = ngMocks.output('myDirective', {name: 'John'});16expect(output).toEqual('Hello John');17var output = ngMocks.output('myDirective', {name: 'John'});18expect(output).toEqual('Hello John');19var output = ngMocks.output('myDirective', {name: 'John'});20expect(output).toEqual('Hello John');21var output = ngMocks.output('myDirective', {name: 'John'});22expect(output).toEqual('Hello John');23var output = ngMocks.output('myDirective', {name: 'John'});24expect(output).toEqual('Hello John');25var output = ngMocks.output('myDirective', {name: 'John'});26expect(output).toEqual('Hello John');27var output = ngMocks.output('my

Full Screen

Using AI Code Generation

copy

Full Screen

1var ngMocks = require("ng-mocks");2var output = ngMocks.output({3});4output.instance.myMethod();5describe("my test", function() {6 it("should test my component", function() {7 var output = require("./test.js");8 });9});10describe("my test", function() {11 it("should test my component", function() {12 var output = require("ng-mocks");13 });14});15describe("my test", function() {16 it("should test my component", function() {17 var output = require("ng-mocks/output");18 });19});20describe("my test", function() {21 it("should test my component", function() {22 var output = require("ng-mocks/output")({23 });24 });25});26describe("my test", function() {27 it("should test my component", function() {28 var output = require("ng-mocks/output")({29 });30 });31});32describe("my test", function() {33 it("should test my component", function() {34 var output = require("ng-mocks/output")({35 });36 });37});38describe("my test", function() {39 it("should test my component", function() {40 var output = require("ng-mocks/output")({41 });42 });43});44describe("my test", function() {45 it("should test my component", function() {46 var output = require("ng-mocks/output")({

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Run ng-mocks automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful