vm.cpp 43 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189119011911192119311941195119611971198119912001201120212031204120512061207120812091210121112121213121412151216121712181219122012211222122312241225122612271228122912301231123212331234123512361237123812391240124112421243124412451246124712481249125012511252125312541255125612571258125912601261126212631264126512661267126812691270127112721273127412751276
  1. #include "pocketpy/vm.h"
  2. namespace pkpy{
  3. struct JsonSerializer{
  4. VM* vm;
  5. PyObject* root;
  6. SStream ss;
  7. JsonSerializer(VM* vm, PyObject* root) : vm(vm), root(root) {}
  8. template<typename T>
  9. void write_array(T& arr){
  10. ss << '[';
  11. for(int i=0; i<arr.size(); i++){
  12. if(i != 0) ss << ", ";
  13. write_object(arr[i]);
  14. }
  15. ss << ']';
  16. }
  17. void write_dict(Dict& dict){
  18. ss << '{';
  19. bool first = true;
  20. dict.apply([&](PyObject* k, PyObject* v){
  21. if(!first) ss << ", ";
  22. first = false;
  23. if(!is_non_tagged_type(k, vm->tp_str)){
  24. vm->TypeError(fmt("json keys must be string, got ", obj_type_name(vm, vm->_tp(k))));
  25. UNREACHABLE();
  26. }
  27. ss << _CAST(Str&, k).escape(false) << ": ";
  28. write_object(v);
  29. });
  30. ss << '}';
  31. }
  32. void write_object(PyObject* obj){
  33. Type obj_t = vm->_tp(obj);
  34. if(obj == vm->None){
  35. ss << "null";
  36. }else if(obj_t == vm->tp_int){
  37. ss << _CAST(i64, obj);
  38. }else if(obj_t == vm->tp_float){
  39. f64 val = _CAST(f64, obj);
  40. if(std::isinf(val) || std::isnan(val)) vm->ValueError("cannot jsonify 'nan' or 'inf'");
  41. ss << val;
  42. }else if(obj_t == vm->tp_bool){
  43. ss << (obj == vm->True ? "true" : "false");
  44. }else if(obj_t == vm->tp_str){
  45. _CAST(Str&, obj).escape_(ss, false);
  46. }else if(obj_t == vm->tp_list){
  47. write_array<List>(_CAST(List&, obj));
  48. }else if(obj_t == vm->tp_tuple){
  49. write_array<Tuple>(_CAST(Tuple&, obj));
  50. }else if(obj_t == vm->tp_dict){
  51. write_dict(_CAST(Dict&, obj));
  52. }else{
  53. vm->TypeError(fmt("unrecognized type ", obj_type_name(vm, obj_t).escape()));
  54. UNREACHABLE();
  55. }
  56. }
  57. Str serialize(){
  58. auto _lock = vm->heap.gc_scope_lock();
  59. write_object(root);
  60. return ss.str();
  61. }
  62. };
  63. VM::VM(bool enable_os) : heap(this), enable_os(enable_os) {
  64. this->vm = this;
  65. this->_c.error = nullptr;
  66. _stdout = [](const char* buf, int size) {
  67. std::cout.write(buf, size);
  68. };
  69. _stderr = [](const char* buf, int size) {
  70. std::cerr.write(buf, size);
  71. };
  72. callstack.reserve(8);
  73. _main = nullptr;
  74. _last_exception = nullptr;
  75. _import_handler = [](const char* name_p, int name_size, int* out_size) -> unsigned char*{
  76. PK_UNUSED(name_p);
  77. PK_UNUSED(name_size);
  78. PK_UNUSED(out_size);
  79. return nullptr;
  80. };
  81. init_builtin_types();
  82. }
  83. PyObject* VM::py_str(PyObject* obj){
  84. const PyTypeInfo* ti = _inst_type_info(obj);
  85. if(ti->m__str__) return ti->m__str__(this, obj);
  86. PyObject* self;
  87. PyObject* f = get_unbound_method(obj, __str__, &self, false);
  88. if(self != PY_NULL) return call_method(self, f);
  89. return py_repr(obj);
  90. }
  91. PyObject* VM::py_repr(PyObject* obj){
  92. const PyTypeInfo* ti = _inst_type_info(obj);
  93. if(ti->m__repr__) return ti->m__repr__(this, obj);
  94. return call_method(obj, __repr__);
  95. }
  96. PyObject* VM::py_json(PyObject* obj){
  97. auto j = JsonSerializer(this, obj);
  98. return VAR(j.serialize());
  99. }
  100. PyObject* VM::py_iter(PyObject* obj){
  101. const PyTypeInfo* ti = _inst_type_info(obj);
  102. if(ti->m__iter__) return ti->m__iter__(this, obj);
  103. PyObject* self;
  104. PyObject* iter_f = get_unbound_method(obj, __iter__, &self, false);
  105. if(self != PY_NULL) return call_method(self, iter_f);
  106. TypeError(OBJ_NAME(_t(obj)).escape() + " object is not iterable");
  107. return nullptr;
  108. }
  109. FrameId VM::top_frame(){
  110. #if PK_DEBUG_EXTRA_CHECK
  111. if(callstack.empty()) FATAL_ERROR();
  112. #endif
  113. return FrameId(&callstack.data(), callstack.size()-1);
  114. }
  115. void VM::_pop_frame(){
  116. Frame* frame = &callstack.top();
  117. s_data.reset(frame->_sp_base);
  118. callstack.pop();
  119. }
  120. PyObject* VM::find_name_in_mro(PyObject* cls, StrName name){
  121. PyObject* val;
  122. do{
  123. val = cls->attr().try_get(name);
  124. if(val != nullptr) return val;
  125. Type base = _all_types[PK_OBJ_GET(Type, cls)].base;
  126. if(base.index == -1) break;
  127. cls = _all_types[base].obj;
  128. }while(true);
  129. return nullptr;
  130. }
  131. bool VM::isinstance(PyObject* obj, Type base){
  132. Type obj_t = PK_OBJ_GET(Type, _t(obj));
  133. return issubclass(obj_t, base);
  134. }
  135. bool VM::issubclass(Type cls, Type base){
  136. do{
  137. if(cls == base) return true;
  138. Type next = _all_types[cls].base;
  139. if(next.index == -1) break;
  140. cls = next;
  141. }while(true);
  142. return false;
  143. }
  144. PyObject* VM::exec(Str source, Str filename, CompileMode mode, PyObject* _module){
  145. if(_module == nullptr) _module = _main;
  146. try {
  147. CodeObject_ code = compile(source, filename, mode);
  148. #if PK_DEBUG_DIS_EXEC
  149. if(_module == _main) std::cout << disassemble(code) << '\n';
  150. #endif
  151. return _exec(code, _module);
  152. }catch (const Exception& e){
  153. Str sum = e.summary() + "\n";
  154. _stderr(sum.data, sum.size);
  155. }
  156. #if !PK_DEBUG_FULL_EXCEPTION
  157. catch (const std::exception& e) {
  158. Str msg = "An std::exception occurred! It could be a bug.\n";
  159. msg = msg + e.what() + "\n";
  160. _stderr(msg.data, msg.size);
  161. }
  162. #endif
  163. callstack.clear();
  164. s_data.clear();
  165. return nullptr;
  166. }
  167. PyObject* VM::exec(Str source){
  168. return exec(source, "main.py", EXEC_MODE);
  169. }
  170. PyObject* VM::eval(Str source){
  171. return exec(source, "<eval>", EVAL_MODE);
  172. }
  173. PyObject* VM::new_type_object(PyObject* mod, StrName name, Type base, bool subclass_enabled){
  174. PyObject* obj = heap._new<Type>(tp_type, _all_types.size());
  175. const PyTypeInfo& base_info = _all_types[base];
  176. if(!base_info.subclass_enabled){
  177. TypeError(fmt("type ", base_info.name.escape(), " is not `subclass_enabled`"));
  178. }
  179. PyTypeInfo info{
  180. obj,
  181. base,
  182. mod,
  183. name.sv(),
  184. subclass_enabled,
  185. };
  186. if(mod != nullptr) mod->attr().set(name, obj);
  187. _all_types.push_back(info);
  188. return obj;
  189. }
  190. Type VM::_new_type_object(StrName name, Type base) {
  191. PyObject* obj = new_type_object(nullptr, name, base, false);
  192. return PK_OBJ_GET(Type, obj);
  193. }
  194. PyObject* VM::_find_type_object(const Str& type){
  195. PyObject* obj = builtins->attr().try_get_likely_found(type);
  196. if(obj == nullptr){
  197. for(auto& t: _all_types) if(t.name == type) return t.obj;
  198. throw std::runtime_error(fmt("type not found: ", type).str());
  199. }
  200. check_non_tagged_type(obj, tp_type);
  201. return obj;
  202. }
  203. Type VM::_type(const Str& type){
  204. PyObject* obj = _find_type_object(type);
  205. return PK_OBJ_GET(Type, obj);
  206. }
  207. PyTypeInfo* VM::_type_info(const Str& type){
  208. PyObject* obj = builtins->attr().try_get_likely_found(type);
  209. if(obj == nullptr){
  210. for(auto& t: _all_types) if(t.name == type) return &t;
  211. FATAL_ERROR();
  212. }
  213. return &_all_types[PK_OBJ_GET(Type, obj)];
  214. }
  215. PyTypeInfo* VM::_type_info(Type type){
  216. return &_all_types[type];
  217. }
  218. const PyTypeInfo* VM::_inst_type_info(PyObject* obj){
  219. if(is_int(obj)) return &_all_types[tp_int];
  220. if(is_float(obj)) return &_all_types[tp_float];
  221. return &_all_types[obj->type];
  222. }
  223. bool VM::py_eq(PyObject* lhs, PyObject* rhs){
  224. if(lhs == rhs) return true;
  225. const PyTypeInfo* ti = _inst_type_info(lhs);
  226. PyObject* res;
  227. if(ti->m__eq__){
  228. res = ti->m__eq__(this, lhs, rhs);
  229. if(res != vm->NotImplemented) return res == vm->True;
  230. }
  231. res = call_method(lhs, __eq__, rhs);
  232. if(res != vm->NotImplemented) return res == vm->True;
  233. ti = _inst_type_info(rhs);
  234. if(ti->m__eq__){
  235. res = ti->m__eq__(this, rhs, lhs);
  236. if(res != vm->NotImplemented) return res == vm->True;
  237. }
  238. res = call_method(rhs, __eq__, lhs);
  239. if(res != vm->NotImplemented) return res == vm->True;
  240. return false;
  241. }
  242. int VM::normalized_index(int index, int size){
  243. if(index < 0) index += size;
  244. if(index < 0 || index >= size){
  245. IndexError(std::to_string(index) + " not in [0, " + std::to_string(size) + ")");
  246. }
  247. return index;
  248. }
  249. PyObject* VM::py_next(PyObject* obj){
  250. const PyTypeInfo* ti = _inst_type_info(obj);
  251. if(ti->m__next__) return ti->m__next__(this, obj);
  252. return call_method(obj, __next__);
  253. }
  254. PyObject* VM::py_import(Str path, bool throw_err){
  255. if(path.empty()) vm->ValueError("empty module name");
  256. static auto f_join = [](const std::vector<std::string_view>& cpnts){
  257. SStream ss;
  258. for(int i=0; i<cpnts.size(); i++){
  259. if(i != 0) ss << ".";
  260. ss << cpnts[i];
  261. }
  262. return Str(ss.str());
  263. };
  264. if(path[0] == '.'){
  265. if(_import_context.pending.empty()){
  266. ImportError("relative import outside of package");
  267. }
  268. Str curr_path = _import_context.pending.back();
  269. bool curr_is_init = _import_context.pending_is_init.back();
  270. // convert relative path to absolute path
  271. std::vector<std::string_view> cpnts = curr_path.split('.');
  272. int prefix = 0; // how many dots in the prefix
  273. for(int i=0; i<path.length(); i++){
  274. if(path[i] == '.') prefix++;
  275. else break;
  276. }
  277. if(prefix > cpnts.size()) ImportError("attempted relative import beyond top-level package");
  278. path = path.substr(prefix); // remove prefix
  279. for(int i=(int)curr_is_init; i<prefix; i++) cpnts.pop_back();
  280. if(!path.empty()) cpnts.push_back(path.sv());
  281. path = f_join(cpnts);
  282. }
  283. PK_ASSERT(path.begin()[0] != '.' && path.end()[-1] != '.');
  284. // check existing module
  285. StrName name(path);
  286. PyObject* ext_mod = _modules.try_get(name);
  287. if(ext_mod != nullptr) return ext_mod;
  288. std::vector<std::string_view> path_cpnts = path.split('.');
  289. // check circular import
  290. if(_import_context.pending.size() > 128){
  291. ImportError("maximum recursion depth exceeded while importing");
  292. }
  293. // try import
  294. Str filename = path.replace('.', kPlatformSep) + ".py";
  295. Str source;
  296. bool is_init = false;
  297. auto it = _lazy_modules.find(name);
  298. if(it == _lazy_modules.end()){
  299. int out_size;
  300. unsigned char* out = _import_handler(filename.data, filename.size, &out_size);
  301. if(out == nullptr){
  302. filename = path.replace('.', kPlatformSep).str() + kPlatformSep + "__init__.py";
  303. is_init = true;
  304. out = _import_handler(filename.data, filename.size, &out_size);
  305. }
  306. if(out == nullptr){
  307. if(throw_err) ImportError(fmt("module ", path.escape(), " not found"));
  308. else return nullptr;
  309. }
  310. PK_ASSERT(out_size >= 0)
  311. source = Str(std::string_view((char*)out, out_size));
  312. free(out);
  313. }else{
  314. source = it->second;
  315. _lazy_modules.erase(it);
  316. }
  317. auto _ = _import_context.scope(path, is_init);
  318. CodeObject_ code = compile(source, filename, EXEC_MODE);
  319. Str name_cpnt = path_cpnts.back();
  320. path_cpnts.pop_back();
  321. PyObject* new_mod = new_module(name_cpnt, f_join(path_cpnts));
  322. _exec(code, new_mod);
  323. return new_mod;
  324. }
  325. VM::~VM() {
  326. callstack.clear();
  327. s_data.clear();
  328. _all_types.clear();
  329. _modules.clear();
  330. _lazy_modules.clear();
  331. }
  332. PyObject* VM::py_negate(PyObject* obj){
  333. const PyTypeInfo* ti = _inst_type_info(obj);
  334. if(ti->m__neg__) return ti->m__neg__(this, obj);
  335. return call_method(obj, __neg__);
  336. }
  337. bool VM::py_bool(PyObject* obj){
  338. if(obj == vm->True) return true;
  339. if(obj == vm->False) return false;
  340. if(obj == None) return false;
  341. if(is_int(obj)) return _CAST(i64, obj) != 0;
  342. if(is_float(obj)) return _CAST(f64, obj) != 0.0;
  343. PyObject* self;
  344. PyObject* len_f = get_unbound_method(obj, __len__, &self, false);
  345. if(self != PY_NULL){
  346. PyObject* ret = call_method(self, len_f);
  347. return CAST(i64, ret) > 0;
  348. }
  349. return true;
  350. }
  351. PyObject* VM::py_list(PyObject* it){
  352. auto _lock = heap.gc_scope_lock();
  353. it = py_iter(it);
  354. List list;
  355. PyObject* obj = py_next(it);
  356. while(obj != StopIteration){
  357. list.push_back(obj);
  358. obj = py_next(it);
  359. }
  360. return VAR(std::move(list));
  361. }
  362. void VM::parse_int_slice(const Slice& s, int length, int& start, int& stop, int& step){
  363. auto clip = [](int value, int min, int max){
  364. if(value < min) return min;
  365. if(value > max) return max;
  366. return value;
  367. };
  368. if(s.step == None) step = 1;
  369. else step = CAST(int, s.step);
  370. if(step == 0) ValueError("slice step cannot be zero");
  371. if(step > 0){
  372. if(s.start == None){
  373. start = 0;
  374. }else{
  375. start = CAST(int, s.start);
  376. if(start < 0) start += length;
  377. start = clip(start, 0, length);
  378. }
  379. if(s.stop == None){
  380. stop = length;
  381. }else{
  382. stop = CAST(int, s.stop);
  383. if(stop < 0) stop += length;
  384. stop = clip(stop, 0, length);
  385. }
  386. }else{
  387. if(s.start == None){
  388. start = length - 1;
  389. }else{
  390. start = CAST(int, s.start);
  391. if(start < 0) start += length;
  392. start = clip(start, -1, length - 1);
  393. }
  394. if(s.stop == None){
  395. stop = -1;
  396. }else{
  397. stop = CAST(int, s.stop);
  398. if(stop < 0) stop += length;
  399. stop = clip(stop, -1, length - 1);
  400. }
  401. }
  402. }
  403. i64 VM::py_hash(PyObject* obj){
  404. // https://docs.python.org/3.10/reference/datamodel.html#object.__hash__
  405. const PyTypeInfo* ti = _inst_type_info(obj);
  406. if(ti->m__hash__) return ti->m__hash__(this, obj);
  407. PyObject* self;
  408. PyObject* f = get_unbound_method(obj, __hash__, &self, false);
  409. if(f != nullptr){
  410. PyObject* ret = call_method(self, f);
  411. return CAST(i64, ret);
  412. }
  413. // if it is trivial `object`, return PK_BITS
  414. if(ti == &_all_types[tp_object]) return PK_BITS(obj);
  415. // otherwise, we check if it has a custom __eq__ other than object.__eq__
  416. bool has_custom_eq = false;
  417. if(ti->m__eq__) has_custom_eq = true;
  418. else{
  419. f = get_unbound_method(obj, __eq__, &self, false);
  420. has_custom_eq = f != _t(tp_object)->attr(__eq__);
  421. }
  422. if(has_custom_eq){
  423. TypeError(fmt("unhashable type: ", ti->name.escape()));
  424. return 0;
  425. }else{
  426. return PK_BITS(obj);
  427. }
  428. }
  429. PyObject* VM::format(Str spec, PyObject* obj){
  430. if(spec.empty()) return py_str(obj);
  431. char type;
  432. switch(spec.end()[-1]){
  433. case 'f': case 'd': case 's':
  434. type = spec.end()[-1];
  435. spec = spec.substr(0, spec.length() - 1);
  436. break;
  437. default: type = ' '; break;
  438. }
  439. char pad_c = ' ';
  440. for(char c: std::string_view("0-=*#@!~")){
  441. if(spec[0] == c){
  442. pad_c = c;
  443. spec = spec.substr(1);
  444. break;
  445. }
  446. }
  447. char align;
  448. if(spec[0] == '^'){
  449. align = '^';
  450. spec = spec.substr(1);
  451. }else if(spec[0] == '>'){
  452. align = '>';
  453. spec = spec.substr(1);
  454. }else if(spec[0] == '<'){
  455. align = '<';
  456. spec = spec.substr(1);
  457. }else{
  458. if(is_int(obj) || is_float(obj)) align = '>';
  459. else align = '<';
  460. }
  461. int dot = spec.index(".");
  462. int width, precision;
  463. try{
  464. if(dot >= 0){
  465. if(dot == 0){
  466. width = -1;
  467. }else{
  468. width = std::stoi(spec.substr(0, dot).str());
  469. }
  470. precision = std::stoi(spec.substr(dot+1).str());
  471. }else{
  472. width = std::stoi(spec.str());
  473. precision = -1;
  474. }
  475. }catch(...){
  476. ValueError("invalid format specifer");
  477. UNREACHABLE();
  478. }
  479. if(type != 'f' && dot >= 0) ValueError("precision not allowed in the format specifier");
  480. Str ret;
  481. if(type == 'f'){
  482. f64 val = CAST(f64, obj);
  483. if(precision < 0) precision = 6;
  484. std::stringstream ss; // float
  485. ss << std::fixed << std::setprecision(precision) << val;
  486. ret = ss.str();
  487. }else if(type == 'd'){
  488. ret = std::to_string(CAST(i64, obj));
  489. }else if(type == 's'){
  490. ret = CAST(Str&, obj);
  491. }else{
  492. ret = CAST(Str&, py_str(obj));
  493. }
  494. if(width != -1 && width > ret.length()){
  495. int pad = width - ret.length();
  496. if(align == '>' || align == '<'){
  497. std::string padding(pad, pad_c);
  498. if(align == '>') ret = padding.c_str() + ret;
  499. else ret = ret + padding.c_str();
  500. }else{ // ^
  501. int pad_left = pad / 2;
  502. int pad_right = pad - pad_left;
  503. std::string padding_left(pad_left, pad_c);
  504. std::string padding_right(pad_right, pad_c);
  505. ret = padding_left.c_str() + ret + padding_right.c_str();
  506. }
  507. }
  508. return VAR(ret);
  509. }
  510. PyObject* VM::new_module(Str name, Str package) {
  511. PyObject* obj = heap._new<DummyModule>(tp_module);
  512. obj->attr().set(__name__, VAR(name));
  513. obj->attr().set(__package__, VAR(package));
  514. // we do not allow override in order to avoid memory leak
  515. // it is because Module objects are not garbage collected
  516. if(_modules.contains(name)){
  517. throw std::runtime_error(fmt("module ", name.escape(), " already exists").str());
  518. }
  519. // convert to fullname and set it into _modules
  520. if(!package.empty()) name = package + "." + name;
  521. obj->attr().set(__path__, VAR(name));
  522. _modules.set(name, obj);
  523. return obj;
  524. }
  525. static std::string _opcode_argstr(VM* vm, Bytecode byte, const CodeObject* co){
  526. std::string argStr = byte.arg == BC_NOARG ? "" : std::to_string(byte.arg);
  527. switch(byte.op){
  528. case OP_LOAD_CONST: case OP_FORMAT_STRING: case OP_IMPORT_PATH:
  529. if(vm != nullptr){
  530. argStr += fmt(" (", CAST(Str, vm->py_repr(co->consts[byte.arg])), ")").sv();
  531. }
  532. break;
  533. case OP_LOAD_NAME: case OP_LOAD_GLOBAL: case OP_LOAD_NONLOCAL: case OP_STORE_GLOBAL:
  534. case OP_LOAD_ATTR: case OP_LOAD_METHOD: case OP_STORE_ATTR: case OP_DELETE_ATTR:
  535. case OP_BEGIN_CLASS: case OP_RAISE: case OP_GOTO:
  536. case OP_DELETE_GLOBAL: case OP_INC_GLOBAL: case OP_DEC_GLOBAL: case OP_STORE_CLASS_ATTR:
  537. argStr += fmt(" (", StrName(byte.arg).sv(), ")").sv();
  538. break;
  539. case OP_LOAD_FAST: case OP_STORE_FAST: case OP_DELETE_FAST: case OP_INC_FAST: case OP_DEC_FAST:
  540. argStr += fmt(" (", co->varnames[byte.arg].sv(), ")").sv();
  541. break;
  542. case OP_LOAD_FUNCTION:
  543. argStr += fmt(" (", co->func_decls[byte.arg]->code->name, ")").sv();
  544. break;
  545. }
  546. return argStr;
  547. }
  548. Str VM::disassemble(CodeObject_ co){
  549. auto pad = [](const Str& s, const int n){
  550. if(s.length() >= n) return s.substr(0, n);
  551. return s + std::string(n - s.length(), ' ');
  552. };
  553. std::vector<int> jumpTargets;
  554. for(auto byte : co->codes){
  555. if(byte.op == OP_JUMP_ABSOLUTE || byte.op == OP_POP_JUMP_IF_FALSE || byte.op == OP_SHORTCUT_IF_FALSE_OR_POP || byte.op == OP_FOR_ITER){
  556. jumpTargets.push_back(byte.arg);
  557. }
  558. if(byte.op == OP_GOTO){
  559. // TODO: pre-compute jump targets for OP_GOTO
  560. int* target = co->labels.try_get_2_likely_found(StrName(byte.arg));
  561. if(target != nullptr) jumpTargets.push_back(*target);
  562. }
  563. }
  564. SStream ss;
  565. int prev_line = -1;
  566. for(int i=0; i<co->codes.size(); i++){
  567. const Bytecode& byte = co->codes[i];
  568. Str line = std::to_string(co->lines[i]);
  569. if(co->lines[i] == prev_line) line = "";
  570. else{
  571. if(prev_line != -1) ss << "\n";
  572. prev_line = co->lines[i];
  573. }
  574. std::string pointer;
  575. if(std::find(jumpTargets.begin(), jumpTargets.end(), i) != jumpTargets.end()){
  576. pointer = "-> ";
  577. }else{
  578. pointer = " ";
  579. }
  580. ss << pad(line, 8) << pointer << pad(std::to_string(i), 3);
  581. ss << " " << pad(OP_NAMES[byte.op], 25) << " ";
  582. // ss << pad(byte.arg == -1 ? "" : std::to_string(byte.arg), 5);
  583. std::string argStr = _opcode_argstr(this, byte, co.get());
  584. ss << argStr;
  585. // ss << pad(argStr, 40); // may overflow
  586. // ss << co->blocks[byte.block].type;
  587. if(i != co->codes.size() - 1) ss << '\n';
  588. }
  589. for(auto& decl: co->func_decls){
  590. ss << "\n\n" << "Disassembly of " << decl->code->name << ":\n";
  591. ss << disassemble(decl->code);
  592. }
  593. ss << "\n";
  594. return Str(ss.str());
  595. }
  596. #if PK_DEBUG_CEVAL_STEP
  597. void VM::_log_s_data(const char* title) {
  598. if(_main == nullptr) return;
  599. if(callstack.empty()) return;
  600. SStream ss;
  601. if(title) ss << title << " | ";
  602. std::map<PyObject**, int> sp_bases;
  603. for(Frame& f: callstack.data()){
  604. if(f._sp_base == nullptr) FATAL_ERROR();
  605. sp_bases[f._sp_base] += 1;
  606. }
  607. FrameId frame = top_frame();
  608. int line = frame->co->lines[frame->_ip];
  609. ss << frame->co->name << ":" << line << " [";
  610. for(PyObject** p=s_data.begin(); p!=s_data.end(); p++){
  611. ss << std::string(sp_bases[p], '|');
  612. if(sp_bases[p] > 0) ss << " ";
  613. PyObject* obj = *p;
  614. if(obj == nullptr) ss << "(nil)";
  615. else if(obj == PY_NULL) ss << "NULL";
  616. else if(is_int(obj)) ss << CAST(i64, obj);
  617. else if(is_float(obj)) ss << CAST(f64, obj);
  618. else if(is_type(obj, tp_str)) ss << CAST(Str, obj).escape();
  619. else if(obj == None) ss << "None";
  620. else if(obj == True) ss << "True";
  621. else if(obj == False) ss << "False";
  622. else if(is_type(obj, tp_function)){
  623. auto& f = CAST(Function&, obj);
  624. ss << f.decl->code->name << "(...)";
  625. } else if(is_type(obj, tp_type)){
  626. Type t = PK_OBJ_GET(Type, obj);
  627. ss << "<class " + _all_types[t].name.escape() + ">";
  628. } else if(is_type(obj, tp_list)){
  629. auto& t = CAST(List&, obj);
  630. ss << "list(size=" << t.size() << ")";
  631. } else if(is_type(obj, tp_tuple)){
  632. auto& t = CAST(Tuple&, obj);
  633. ss << "tuple(size=" << t.size() << ")";
  634. } else ss << "(" << obj_type_name(this, obj->type) << ")";
  635. ss << ", ";
  636. }
  637. std::string output = ss.str();
  638. if(!s_data.empty()) {
  639. output.pop_back(); output.pop_back();
  640. }
  641. output.push_back(']');
  642. Bytecode byte = frame->co->codes[frame->_ip];
  643. std::cout << output << " " << OP_NAMES[byte.op] << " " << _opcode_argstr(nullptr, byte, frame->co) << std::endl;
  644. }
  645. #endif
  646. void VM::init_builtin_types(){
  647. _all_types.push_back({heap._new<Type>(Type(1), Type(0)), -1, nullptr, "object", true});
  648. _all_types.push_back({heap._new<Type>(Type(1), Type(1)), 0, nullptr, "type", false});
  649. tp_object = 0; tp_type = 1;
  650. tp_int = _new_type_object("int");
  651. tp_float = _new_type_object("float");
  652. if(tp_int.index != kTpIntIndex || tp_float.index != kTpFloatIndex) FATAL_ERROR();
  653. tp_bool = _new_type_object("bool");
  654. tp_str = _new_type_object("str");
  655. tp_list = _new_type_object("list");
  656. tp_tuple = _new_type_object("tuple");
  657. tp_slice = _new_type_object("slice");
  658. tp_range = _new_type_object("range");
  659. tp_module = _new_type_object("module");
  660. tp_function = _new_type_object("function");
  661. tp_native_func = _new_type_object("native_func");
  662. tp_bound_method = _new_type_object("bound_method");
  663. tp_super = _new_type_object("super");
  664. tp_exception = _new_type_object("Exception");
  665. tp_bytes = _new_type_object("bytes");
  666. tp_mappingproxy = _new_type_object("mappingproxy");
  667. tp_dict = _new_type_object("dict");
  668. tp_property = _new_type_object("property");
  669. tp_star_wrapper = _new_type_object("_star_wrapper");
  670. this->None = heap._new<Dummy>(_new_type_object("NoneType"));
  671. this->NotImplemented = heap._new<Dummy>(_new_type_object("NotImplementedType"));
  672. this->Ellipsis = heap._new<Dummy>(_new_type_object("ellipsis"));
  673. this->True = heap._new<Dummy>(tp_bool);
  674. this->False = heap._new<Dummy>(tp_bool);
  675. this->StopIteration = heap._new<Dummy>(_new_type_object("StopIterationType"));
  676. this->builtins = new_module("builtins");
  677. // setup public types
  678. builtins->attr().set("type", _t(tp_type));
  679. builtins->attr().set("object", _t(tp_object));
  680. builtins->attr().set("bool", _t(tp_bool));
  681. builtins->attr().set("int", _t(tp_int));
  682. builtins->attr().set("float", _t(tp_float));
  683. builtins->attr().set("str", _t(tp_str));
  684. builtins->attr().set("list", _t(tp_list));
  685. builtins->attr().set("tuple", _t(tp_tuple));
  686. builtins->attr().set("range", _t(tp_range));
  687. builtins->attr().set("bytes", _t(tp_bytes));
  688. builtins->attr().set("dict", _t(tp_dict));
  689. builtins->attr().set("property", _t(tp_property));
  690. builtins->attr().set("StopIteration", StopIteration);
  691. builtins->attr().set("NotImplemented", NotImplemented);
  692. builtins->attr().set("slice", _t(tp_slice));
  693. post_init();
  694. this->_main = new_module("__main__");
  695. }
  696. // `heap.gc_scope_lock();` needed before calling this function
  697. void VM::_unpack_as_list(ArgsView args, List& list){
  698. for(PyObject* obj: args){
  699. if(is_non_tagged_type(obj, tp_star_wrapper)){
  700. const StarWrapper& w = _CAST(StarWrapper&, obj);
  701. // maybe this check should be done in the compile time
  702. if(w.level != 1) TypeError("expected level 1 star wrapper");
  703. PyObject* _0 = py_iter(w.obj);
  704. PyObject* _1 = py_next(_0);
  705. while(_1 != StopIteration){
  706. list.push_back(_1);
  707. _1 = py_next(_0);
  708. }
  709. }else{
  710. list.push_back(obj);
  711. }
  712. }
  713. }
  714. // `heap.gc_scope_lock();` needed before calling this function
  715. void VM::_unpack_as_dict(ArgsView args, Dict& dict){
  716. for(PyObject* obj: args){
  717. if(is_non_tagged_type(obj, tp_star_wrapper)){
  718. const StarWrapper& w = _CAST(StarWrapper&, obj);
  719. // maybe this check should be done in the compile time
  720. if(w.level != 2) TypeError("expected level 2 star wrapper");
  721. const Dict& other = CAST(Dict&, w.obj);
  722. dict.update(other);
  723. }else{
  724. const Tuple& t = CAST(Tuple&, obj);
  725. if(t.size() != 2) TypeError("expected tuple of length 2");
  726. dict.set(t[0], t[1]);
  727. }
  728. }
  729. }
  730. void VM::_prepare_py_call(PyObject** buffer, ArgsView args, ArgsView kwargs, const FuncDecl_& decl){
  731. const CodeObject* co = decl->code.get();
  732. int co_nlocals = co->varnames.size();
  733. int decl_argc = decl->args.size();
  734. if(args.size() < decl_argc){
  735. vm->TypeError(fmt(
  736. co->name, "() takes ", decl_argc, " positional arguments but ", args.size(), " were given"
  737. ));
  738. UNREACHABLE();
  739. }
  740. int i = 0;
  741. // prepare args
  742. for(int index: decl->args) buffer[index] = args[i++];
  743. // set extra varnames to PY_NULL
  744. for(int j=i; j<co_nlocals; j++) buffer[j] = PY_NULL;
  745. // prepare kwdefaults
  746. for(auto& kv: decl->kwargs) buffer[kv.key] = kv.value;
  747. // handle *args
  748. if(decl->starred_arg != -1){
  749. ArgsView vargs(args.begin() + i, args.end());
  750. buffer[decl->starred_arg] = VAR(vargs.to_tuple());
  751. i += vargs.size();
  752. }else{
  753. // kwdefaults override
  754. for(auto& kv: decl->kwargs){
  755. if(i >= args.size()) break;
  756. buffer[kv.key] = args[i++];
  757. }
  758. if(i < args.size()) TypeError(fmt("too many arguments", " (", decl->code->name, ')'));
  759. }
  760. PyObject* vkwargs;
  761. if(decl->starred_kwarg != -1){
  762. vkwargs = VAR(Dict(this));
  763. buffer[decl->starred_kwarg] = vkwargs;
  764. }else{
  765. vkwargs = nullptr;
  766. }
  767. for(int j=0; j<kwargs.size(); j+=2){
  768. StrName key(CAST(int, kwargs[j]));
  769. int index = co->varnames_inv.try_get_likely_found(key);
  770. if(index < 0){
  771. if(vkwargs == nullptr){
  772. TypeError(fmt(key.escape(), " is an invalid keyword argument for ", co->name, "()"));
  773. }else{
  774. Dict& dict = _CAST(Dict&, vkwargs);
  775. dict.set(VAR(key.sv()), kwargs[j+1]);
  776. }
  777. }else{
  778. buffer[index] = kwargs[j+1];
  779. }
  780. }
  781. }
  782. PyObject* VM::vectorcall(int ARGC, int KWARGC, bool op_call){
  783. PyObject** p1 = s_data._sp - KWARGC*2;
  784. PyObject** p0 = p1 - ARGC - 2;
  785. // [callable, <self>, args..., kwargs...]
  786. // ^p0 ^p1 ^_sp
  787. PyObject* callable = p1[-(ARGC + 2)];
  788. bool method_call = p1[-(ARGC + 1)] != PY_NULL;
  789. // handle boundmethod, do a patch
  790. if(is_non_tagged_type(callable, tp_bound_method)){
  791. if(method_call) FATAL_ERROR();
  792. auto& bm = CAST(BoundMethod&, callable);
  793. callable = bm.func; // get unbound method
  794. p1[-(ARGC + 2)] = bm.func;
  795. p1[-(ARGC + 1)] = bm.self;
  796. method_call = true;
  797. // [unbound, self, args..., kwargs...]
  798. }
  799. ArgsView args(p1 - ARGC - int(method_call), p1);
  800. ArgsView kwargs(p1, s_data._sp);
  801. PyObject** _base = args.begin();
  802. PyObject* buffer[PK_MAX_CO_VARNAMES];
  803. if(is_non_tagged_type(callable, tp_native_func)){
  804. const auto& f = PK_OBJ_GET(NativeFunc, callable);
  805. PyObject* ret;
  806. if(f.decl != nullptr){
  807. int co_nlocals = f.decl->code->varnames.size();
  808. _prepare_py_call(buffer, args, kwargs, f.decl);
  809. // copy buffer back to stack
  810. s_data.reset(_base + co_nlocals);
  811. for(int j=0; j<co_nlocals; j++) _base[j] = buffer[j];
  812. ret = f.call(vm, ArgsView(s_data._sp - co_nlocals, s_data._sp));
  813. }else{
  814. if(KWARGC != 0) TypeError("old-style native_func does not accept keyword arguments");
  815. f.check_size(this, args);
  816. ret = f.call(this, args);
  817. }
  818. s_data.reset(p0);
  819. return ret;
  820. }
  821. if(is_non_tagged_type(callable, tp_function)){
  822. /*****************_py_call*****************/
  823. // callable must be a `function` object
  824. if(s_data.is_overflow()) StackOverflowError();
  825. const Function& fn = PK_OBJ_GET(Function, callable);
  826. const FuncDecl_& decl = fn.decl;
  827. const CodeObject* co = decl->code.get();
  828. int co_nlocals = co->varnames.size();
  829. if(decl->is_simple){
  830. if(args.size() != decl->args.size()){
  831. TypeError(fmt(
  832. co->name, "() takes ", decl->args.size(), " positional arguments but ", args.size(), " were given"
  833. ));
  834. UNREACHABLE();
  835. }
  836. if(!kwargs.empty()){
  837. TypeError(fmt(co->name, "() takes no keyword arguments"));
  838. UNREACHABLE();
  839. }
  840. s_data.reset(_base + co_nlocals);
  841. int i = 0;
  842. // prepare args
  843. for(int index: decl->args) _base[index] = args[i++];
  844. // set extra varnames to PY_NULL
  845. for(int j=i; j<co_nlocals; j++) _base[j] = PY_NULL;
  846. goto __FAST_CALL;
  847. }
  848. _prepare_py_call(buffer, args, kwargs, decl);
  849. if(co->is_generator){
  850. s_data.reset(p0);
  851. return _py_generator(
  852. Frame(&s_data, nullptr, co, fn._module, callable),
  853. ArgsView(buffer, buffer + co_nlocals)
  854. );
  855. }
  856. // copy buffer back to stack
  857. s_data.reset(_base + co_nlocals);
  858. for(int j=0; j<co_nlocals; j++) _base[j] = buffer[j];
  859. __FAST_CALL:
  860. callstack.emplace(&s_data, p0, co, fn._module, callable, FastLocals(co, args.begin()));
  861. if(op_call) return PY_OP_CALL;
  862. return _run_top_frame();
  863. /*****************_py_call*****************/
  864. }
  865. if(is_non_tagged_type(callable, tp_type)){
  866. if(method_call) FATAL_ERROR();
  867. // [type, NULL, args..., kwargs...]
  868. PyObject* new_f = find_name_in_mro(callable, __new__);
  869. PyObject* obj;
  870. #if PK_DEBUG_EXTRA_CHECK
  871. PK_ASSERT(new_f != nullptr);
  872. #endif
  873. if(new_f == cached_object__new__) {
  874. // fast path for object.__new__
  875. Type t = PK_OBJ_GET(Type, callable);
  876. obj= vm->heap.gcnew<DummyInstance>(t);
  877. }else{
  878. PUSH(new_f);
  879. PUSH(PY_NULL);
  880. PUSH(callable); // cls
  881. for(PyObject* o: args) PUSH(o);
  882. for(PyObject* o: kwargs) PUSH(o);
  883. // if obj is not an instance of callable, the behavior is undefined
  884. obj = vectorcall(ARGC+1, KWARGC);
  885. }
  886. // __init__
  887. PyObject* self;
  888. callable = get_unbound_method(obj, __init__, &self, false);
  889. if (self != PY_NULL) {
  890. // replace `NULL` with `self`
  891. p1[-(ARGC + 2)] = callable;
  892. p1[-(ARGC + 1)] = self;
  893. // [init_f, self, args..., kwargs...]
  894. vectorcall(ARGC, KWARGC);
  895. // We just discard the return value of `__init__`
  896. // in cpython it raises a TypeError if the return value is not None
  897. }else{
  898. // manually reset the stack
  899. s_data.reset(p0);
  900. }
  901. return obj;
  902. }
  903. // handle `__call__` overload
  904. PyObject* self;
  905. PyObject* call_f = get_unbound_method(callable, __call__, &self, false);
  906. if(self != PY_NULL){
  907. p1[-(ARGC + 2)] = call_f;
  908. p1[-(ARGC + 1)] = self;
  909. // [call_f, self, args..., kwargs...]
  910. return vectorcall(ARGC, KWARGC, false);
  911. }
  912. TypeError(OBJ_NAME(_t(callable)).escape() + " object is not callable");
  913. return nullptr;
  914. }
  915. void VM::delattr(PyObject *_0, StrName _name){
  916. if(is_tagged(_0) || !_0->is_attr_valid()) TypeError("cannot delete attribute");
  917. if(!_0->attr().del(_name)) AttributeError(_0, _name);
  918. }
  919. // https://docs.python.org/3/howto/descriptor.html#invocation-from-an-instance
  920. PyObject* VM::getattr(PyObject* obj, StrName name, bool throw_err){
  921. PyObject* objtype;
  922. // handle super() proxy
  923. if(is_non_tagged_type(obj, tp_super)){
  924. const Super& super = PK_OBJ_GET(Super, obj);
  925. obj = super.first;
  926. objtype = _t(super.second);
  927. }else{
  928. objtype = _t(obj);
  929. }
  930. PyObject* cls_var = find_name_in_mro(objtype, name);
  931. if(cls_var != nullptr){
  932. // handle descriptor
  933. if(is_non_tagged_type(cls_var, tp_property)){
  934. const Property& prop = _CAST(Property&, cls_var);
  935. return call(prop.getter, obj);
  936. }
  937. }
  938. // handle instance __dict__
  939. if(!is_tagged(obj) && obj->is_attr_valid()){
  940. PyObject* val = obj->attr().try_get_likely_found(name);
  941. if(val != nullptr) return val;
  942. }
  943. if(cls_var != nullptr){
  944. // bound method is non-data descriptor
  945. if(is_non_tagged_type(cls_var, tp_function) || is_non_tagged_type(cls_var, tp_native_func)){
  946. return VAR(BoundMethod(obj, cls_var));
  947. }
  948. return cls_var;
  949. }
  950. if(is_non_tagged_type(obj, tp_module)){
  951. Str path = CAST(Str&, obj->attr(__path__));
  952. path = path + "." + name.sv();
  953. PyObject* mod = py_import(path, false);
  954. if(mod != nullptr){
  955. obj->attr().set(name, mod);
  956. return mod;
  957. }
  958. }
  959. if(throw_err) AttributeError(obj, name);
  960. return nullptr;
  961. }
  962. // used by OP_LOAD_METHOD
  963. // try to load a unbound method (fallback to `getattr` if not found)
  964. PyObject* VM::get_unbound_method(PyObject* obj, StrName name, PyObject** self, bool throw_err, bool fallback){
  965. *self = PY_NULL;
  966. PyObject* objtype;
  967. // handle super() proxy
  968. if(is_non_tagged_type(obj, tp_super)){
  969. const Super& super = PK_OBJ_GET(Super, obj);
  970. obj = super.first;
  971. objtype = _t(super.second);
  972. }else{
  973. objtype = _t(obj);
  974. }
  975. PyObject* cls_var = find_name_in_mro(objtype, name);
  976. if(fallback){
  977. if(cls_var != nullptr){
  978. // handle descriptor
  979. if(is_non_tagged_type(cls_var, tp_property)){
  980. const Property& prop = _CAST(Property&, cls_var);
  981. return call(prop.getter, obj);
  982. }
  983. }
  984. // handle instance __dict__
  985. if(!is_tagged(obj) && obj->is_attr_valid()){
  986. PyObject* val = obj->attr().try_get(name);
  987. if(val != nullptr) return val;
  988. }
  989. }
  990. if(cls_var != nullptr){
  991. if(is_non_tagged_type(cls_var, tp_function) || is_non_tagged_type(cls_var, tp_native_func)){
  992. *self = obj;
  993. }
  994. return cls_var;
  995. }
  996. if(throw_err) AttributeError(obj, name);
  997. return nullptr;
  998. }
  999. void VM::setattr(PyObject* obj, StrName name, PyObject* value){
  1000. PyObject* objtype;
  1001. // handle super() proxy
  1002. if(is_non_tagged_type(obj, tp_super)){
  1003. Super& super = PK_OBJ_GET(Super, obj);
  1004. obj = super.first;
  1005. objtype = _t(super.second);
  1006. }else{
  1007. objtype = _t(obj);
  1008. }
  1009. PyObject* cls_var = find_name_in_mro(objtype, name);
  1010. if(cls_var != nullptr){
  1011. // handle descriptor
  1012. if(is_non_tagged_type(cls_var, tp_property)){
  1013. const Property& prop = _CAST(Property&, cls_var);
  1014. if(prop.setter != vm->None){
  1015. call(prop.setter, obj, value);
  1016. }else{
  1017. TypeError(fmt("readonly attribute: ", name.escape()));
  1018. }
  1019. return;
  1020. }
  1021. }
  1022. // handle instance __dict__
  1023. if(is_tagged(obj) || !obj->is_attr_valid()) TypeError("cannot set attribute");
  1024. obj->attr().set(name, value);
  1025. }
  1026. PyObject* VM::bind(PyObject* obj, const char* sig, NativeFuncC fn, UserData userdata){
  1027. return bind(obj, sig, nullptr, fn, userdata);
  1028. }
  1029. PyObject* VM::bind(PyObject* obj, const char* sig, const char* docstring, NativeFuncC fn, UserData userdata){
  1030. CodeObject_ co;
  1031. try{
  1032. // fn(a, b, *c, d=1) -> None
  1033. co = compile("def " + Str(sig) + " : pass", "<bind>", EXEC_MODE);
  1034. }catch(Exception&){
  1035. throw std::runtime_error("invalid signature: " + std::string(sig));
  1036. }
  1037. if(co->func_decls.size() != 1){
  1038. throw std::runtime_error("expected 1 function declaration");
  1039. }
  1040. FuncDecl_ decl = co->func_decls[0];
  1041. decl->signature = Str(sig);
  1042. if(docstring != nullptr){
  1043. decl->docstring = Str(docstring).strip();
  1044. }
  1045. PyObject* f_obj = VAR(NativeFunc(fn, decl));
  1046. PK_OBJ_GET(NativeFunc, f_obj).set_userdata(userdata);
  1047. if(obj != nullptr) obj->attr().set(decl->code->name, f_obj);
  1048. return f_obj;
  1049. }
  1050. PyObject* VM::bind_property(PyObject* obj, Str name, NativeFuncC fget, NativeFuncC fset){
  1051. PyObject* _0 = heap.gcnew<NativeFunc>(tp_native_func, fget, 1, false);
  1052. PyObject* _1 = vm->None;
  1053. if(fset != nullptr) _1 = heap.gcnew<NativeFunc>(tp_native_func, fset, 2, false);
  1054. Str signature = name;
  1055. int pos = name.index(":");
  1056. if(pos > 0) name = name.substr(0, pos).strip();
  1057. PyObject* prop = VAR(Property(_0, _1, signature));
  1058. obj->attr().set(name, prop);
  1059. return prop;
  1060. }
  1061. void VM::_error(Exception e){
  1062. if(callstack.empty()){
  1063. e.is_re = false;
  1064. throw e;
  1065. }
  1066. PUSH(VAR(std::move(e)));
  1067. _raise();
  1068. }
  1069. void VM::_raise(bool re_raise){
  1070. Frame* frame = top_frame().get();
  1071. Exception& e = PK_OBJ_GET(Exception, s_data.top());
  1072. if(!re_raise){
  1073. e._ip_on_error = frame->_ip;
  1074. e._code_on_error = (void*)frame->co;
  1075. }
  1076. bool ok = frame->jump_to_exception_handler();
  1077. int actual_ip = frame->_ip;
  1078. if(e._ip_on_error >= 0 && e._code_on_error == (void*)frame->co) actual_ip = e._ip_on_error;
  1079. int current_line = frame->co->lines[actual_ip]; // current line
  1080. auto current_f_name = frame->co->name.sv(); // current function name
  1081. if(frame->_callable == nullptr) current_f_name = ""; // not in a function
  1082. e.st_push(frame->co->src, current_line, nullptr, current_f_name);
  1083. if(ok) throw HandledException();
  1084. else throw UnhandledException();
  1085. }
  1086. void ManagedHeap::mark() {
  1087. for(PyObject* obj: _no_gc) PK_OBJ_MARK(obj);
  1088. for(auto& frame : vm->callstack.data()) frame._gc_mark();
  1089. for(PyObject* obj: vm->s_data) PK_OBJ_MARK(obj);
  1090. if(_gc_marker_ex) _gc_marker_ex(vm);
  1091. if(vm->_last_exception) PK_OBJ_MARK(vm->_last_exception);
  1092. if(vm->_curr_class) PK_OBJ_MARK(vm->_curr_class);
  1093. if(vm->_c.error != nullptr) PK_OBJ_MARK(vm->_c.error);
  1094. }
  1095. Str obj_type_name(VM *vm, Type type){
  1096. return vm->_all_types[type].name;
  1097. }
  1098. void VM::bind__hash__(Type type, i64 (*f)(VM*, PyObject*)){
  1099. PyObject* obj = _t(type);
  1100. _all_types[type].m__hash__ = f;
  1101. PyObject* nf = bind_method<0>(obj, "__hash__", [](VM* vm, ArgsView args){
  1102. i64 ret = lambda_get_userdata<i64(*)(VM*, PyObject*)>(args.begin())(vm, args[0]);
  1103. return VAR(ret);
  1104. });
  1105. PK_OBJ_GET(NativeFunc, nf).set_userdata(f);
  1106. }
  1107. void VM::bind__len__(Type type, i64 (*f)(VM*, PyObject*)){
  1108. PyObject* obj = _t(type);
  1109. _all_types[type].m__len__ = f;
  1110. PyObject* nf = bind_method<0>(obj, "__len__", [](VM* vm, ArgsView args){
  1111. i64 ret = lambda_get_userdata<i64(*)(VM*, PyObject*)>(args.begin())(vm, args[0]);
  1112. return VAR(ret);
  1113. });
  1114. PK_OBJ_GET(NativeFunc, nf).set_userdata(f);
  1115. }
  1116. void Dict::_probe_0(PyObject *key, bool &ok, int &i) const{
  1117. ok = false;
  1118. i64 hash = vm->py_hash(key);
  1119. i = hash & _mask;
  1120. // std::cout << CAST(Str, vm->py_repr(key)) << " " << hash << " " << i << std::endl;
  1121. for(int j=0; j<_capacity; j++) {
  1122. if(_items[i].first != nullptr){
  1123. if(vm->py_eq(_items[i].first, key)) { ok = true; break; }
  1124. }else{
  1125. if(_items[i].second == nullptr) break;
  1126. }
  1127. // https://github.com/python/cpython/blob/3.8/Objects/dictobject.c#L166
  1128. i = ((5*i) + 1) & _mask;
  1129. // std::cout << CAST(Str, vm->py_repr(key)) << " next: " << i << std::endl;
  1130. }
  1131. }
  1132. void Dict::_probe_1(PyObject *key, bool &ok, int &i) const{
  1133. ok = false;
  1134. i = vm->py_hash(key) & _mask;
  1135. while(_items[i].first != nullptr) {
  1136. if(vm->py_eq(_items[i].first, key)) { ok = true; break; }
  1137. // https://github.com/python/cpython/blob/3.8/Objects/dictobject.c#L166
  1138. i = ((5*i) + 1) & _mask;
  1139. }
  1140. }
  1141. // void CodeObjectSerializer::write_object(VM *vm, PyObject *obj){
  1142. // if(is_int(obj)) write_int(_CAST(i64, obj));
  1143. // else if(is_float(obj)) write_float(_CAST(f64, obj));
  1144. // else if(is_type(obj, vm->tp_str)) write_str(_CAST(Str&, obj));
  1145. // else if(is_type(obj, vm->tp_bool)) write_bool(_CAST(bool, obj));
  1146. // else if(obj == vm->None) write_none();
  1147. // else if(obj == vm->Ellipsis) write_ellipsis();
  1148. // else{
  1149. // throw std::runtime_error(fmt(OBJ_NAME(vm->_t(obj)).escape(), " is not serializable"));
  1150. // }
  1151. // }
  1152. void NativeFunc::check_size(VM* vm, ArgsView args) const{
  1153. if(args.size() != argc && argc != -1) {
  1154. vm->TypeError(fmt("expected ", argc, " arguments, got ", args.size()));
  1155. }
  1156. }
  1157. PyObject* NativeFunc::call(VM *vm, ArgsView args) const {
  1158. return f(vm, args);
  1159. }
  1160. } // namespace pkpy