-
-
Notifications
You must be signed in to change notification settings - Fork 754
/
Copy pathjsinteractive.c
2975 lines (2770 loc) · 107 KB
/
jsinteractive.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*
* This file is part of Espruino, a JavaScript interpreter for Microcontrollers
*
* Copyright (C) 2013 Gordon Williams <gw@pur3.co.uk>
*
* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/.
*
* ----------------------------------------------------------------------------
* Interactive Shell implementation
* ----------------------------------------------------------------------------
*/
#include "jsutils.h"
#include "jsinteractive.h"
#include "jshardware.h"
#include "jstimer.h"
#include "jspin.h"
#include "jsflags.h"
#include "jswrapper.h"
#include "jswrap_json.h"
#include "jswrap_io.h"
#include "jswrap_stream.h"
#include "jswrap_espruino.h" // jswrap_espruino_getErrorFlagArray
#include "jsflash.h" // load and save to flash
#include "jswrap_interactive.h" // jswrap_interactive_setTimeout
#include "jswrap_object.h" // jswrap_object_keys_or_property_names
#include "jsnative.h" // jsnSanityTest
#include "jswrap_storage.h" // for Packet Transfer IO
#ifdef USE_FILESYSTEM
#include "jswrap_file.h" // for Packet Transfer IO
#endif
#ifdef BLUETOOTH
#include "bluetooth.h"
#include "jswrap_bluetooth.h"
#endif
#ifdef BANGLEJS
#include "jswrap_bangle.h" // jsbangle_exec_pending
#endif
#ifdef ARM
#define CHAR_DELETE_SEND 0x08
#else
#define CHAR_DELETE_SEND '\b'
#endif
#ifdef ESP8266
extern void jshPrintBanner(void); // prints a debugging banner while we're in beta
extern void jshSoftInit(void); // re-inits wifi after a soft-reset
#endif
#ifdef ESP32
extern void jshSoftInit(void);
#endif
// ----------------------------------------------------------------------------
typedef enum {
IPS_NONE,
IPS_HAD_R,
IPS_PACKET_TRANSFER_BYTE0, // We're in the process of receiving a binary packet of data (expecting b0 - length hi)
IPS_PACKET_TRANSFER_BYTE1, // We're in the process of receiving a binary packet of data (expecting b1 - length lo)
IPS_PACKET_TRANSFER_DATA, // We're in the process of receiving a binary packet of data (expecting data)
IPS_HAD_DLE, // char code 16 - if we get DLE[16],SOH[1] we start processing the packet
IPS_HAD_27, // escape
IPS_HAD_27_79,
IPS_HAD_27_91,
IPS_HAD_27_91_NUMBER, ///< Esc [ then 0-9
} PACKED_FLAGS InputState;
#define IS_PACKET_TRANSFER(state) ((state>=IPS_PACKET_TRANSFER_BYTE0) && (state<=IPS_PACKET_TRANSFER_DATA))
typedef enum {
PT_SIZE_MASK = 0x1FFF,
PT_TYPE_MASK = 0xE000,
PT_TYPE_RESPONSE = 0x0000, // Response to an EVAL packet
PT_TYPE_EVAL = 0x2000, // execute and return the result as RESPONSE packet
PT_TYPE_EVENT = 0x4000, // parse as JSON and create `E.on('packet', ...)` event
PT_TYPE_FILE_SEND = 0x6000, // called before DATA, with {fn:"filename",s:123}
PT_TYPE_DATA = 0x8000, // Sent after FILE_SEND with blocks of data for the file
PT_TYPE_FILE_RECV = 0xA000 // receive a file - returns a series of PT_TYPE_DATA packets, with a final zero length packet to end
} PACKED_FLAGS PacketLengthFlags;
/* Packets work as follows - introduced 2v25
DLE[16],SOH[1],TYPE|LENHI,LENLO,DATA...
If received or timed out (after 1s), will reply with an ACK[6] or NAK[21]
// Eval
Espruino.Core.Serial.write("\x10\x01\x20\x14print('Hello World')")
// Event
Espruino.Core.Serial.write("E.on('packet',d=>print('packet', d));\n") // on Espruino
Espruino.Core.Serial.write("\x10\x01\x40\x0F{hello:'world'}")
// File send
Espruino.Core.Serial.write("\x10\x01\x60\x10{fn:'test',s:11}")
Espruino.Core.Serial.write("\x10\x01\x80\x05hello")
Espruino.Core.Serial.write("\x10\x01\x80\x06 world")
// File send to FAT
Espruino.Core.Serial.write("\x10\x01\x60\x1c{fn:'test.txt',fs:true,s:11}")
Espruino.Core.Serial.write("\x10\x01\x80\x0Bhello world")
*/
#define ASCII_ACK (6)
#define ASCII_NAK (21)
#define ASCII_DLE (16)
#define ASCII_SOH (1)
JsVar *events = 0; // Array of events to execute
JsVarRef timerArray = 0; // Linked List of timers to check and run
JsVarRef watchArray = 0; // Linked List of input watches to check and run
// ----------------------------------------------------------------------------
IOEventFlags consoleDevice = DEFAULT_CONSOLE_DEVICE; ///< The console device for user interaction
#ifndef SAVE_ON_FLASH
Pin pinBusyIndicator = DEFAULT_BUSY_PIN_INDICATOR;
Pin pinSleepIndicator = DEFAULT_SLEEP_PIN_INDICATOR;
#endif
JsiStatus jsiStatus = 0;
JsSysTime jsiLastIdleTime; ///< The last time we went around the idle loop - use this for timers
#ifndef EMBEDDED
uint32_t jsiTimeSinceCtrlC; ///< When was Ctrl-C last pressed. We use this so we quit on desktop when we do Ctrl-C + Ctrl-C
#endif
// ----------------------------------------------------------------------------
JsVar *inputLine = 0; ///< The current input line
JsvStringIterator inputLineIterator; ///< Iterator that points to the end of the input line
int inputLineLength = -1;
bool inputLineRemoved = false;
size_t inputCursorPos = 0; ///< The position of the cursor in the input line
InputState inputState = 0; ///< state for dealing with cursor keys
uint16_t inputPacketLength; ///< When receiving an input packet, the length of it
uint16_t inputStateNumber; ///< Number from when `Esc [ 1234` is sent - for storing line number
uint16_t jsiLineNumberOffset; ///< When we execute code, this is the 'offset' we apply to line numbers in error/debug
bool hasUsedHistory = false; ///< Used to speed up - if we were cycling through history and then edit, we need to copy the string
unsigned char loopsIdling = 0; ///< How many times around the loop have we been entirely idle?
JsErrorFlags lastJsErrorFlags = 0; ///< Compare with jsErrorFlags in order to report errors
// ----------------------------------------------------------------------------
#ifdef USE_DEBUGGER
void jsiDebuggerLine(JsVar *line);
#endif
void jsiCheckErrors();
static void jsiPacketFileEnd();
static void jsiPacketExit();
// ----------------------------------------------------------------------------
/**
* Get the device from the class variable.
*/
IOEventFlags jsiGetDeviceFromClass(JsVar *class) {
// Devices have their Object data set up to something special
// See jspNewObject
if (class &&
class->varData.str[0]=='D' &&
class->varData.str[1]=='E' &&
class->varData.str[2]=='V')
return (IOEventFlags)class->varData.str[3];
return EV_NONE;
}
JsVar *jsiGetClassNameFromDevice(IOEventFlags device) {
const char *deviceName = jshGetDeviceString(device);
if (!deviceName[0]) return 0; // could be empty string
return jsvFindChildFromString(execInfo.root, deviceName);
}
NO_INLINE bool jsiEcho() {
return ((jsiStatus&JSIS_ECHO_OFF_MASK)==0);
}
NO_INLINE bool jsiPasswordProtected() {
#ifndef ESPR_NO_PASSWORD
return ((jsiStatus&JSIS_PASSWORD_PROTECTED)!=0);
#else
return 0;
#endif
}
static bool jsiShowInputLine() {
return jsiEcho() && !inputLineRemoved && !jsiPasswordProtected();
}
/** Called when the input line/cursor is modified *and its iterator should be reset
* Because JsvStringIterator doesn't lock the string, it's REALLY IMPORTANT
* that we call this BEFORE we do jsvUnLock(inputLine) */
static NO_INLINE void jsiInputLineCursorMoved() {
// free string iterator
if (inputLineIterator.var) {
jsvStringIteratorFree(&inputLineIterator);
inputLineIterator.var = 0;
}
inputLineLength = -1;
}
/// Called to append to the input line
static NO_INLINE void jsiAppendToInputLine(char ch) {
// recreate string iterator if needed
if (!inputLineIterator.var) {
jsvStringIteratorNew(&inputLineIterator, inputLine, 0);
jsvStringIteratorGotoEnd(&inputLineIterator);
inputLineLength = (int)jsvGetStringLength(inputLine); // or get this from inputLineIterator?
}
jsvStringIteratorAppend(&inputLineIterator, ch);
inputLineLength++;
}
/// If Espruino could choose right now, what would be the best console device to use?
IOEventFlags jsiGetPreferredConsoleDevice() {
IOEventFlags dev = DEFAULT_CONSOLE_DEVICE;
#ifdef USE_TERMINAL
if (!jshIsDeviceInitialised(dev))
dev = EV_TERMINAL;
#endif
#ifdef USB
if (jshIsUSBSERIALConnected())
dev = EV_USBSERIAL;
#endif
#ifdef BLUETOOTH
if (jsble_has_peripheral_connection(dev))
dev = EV_BLUETOOTH;
#endif
return dev;
}
void jsiSetConsoleDevice(IOEventFlags device, bool force) {
if (force)
jsiStatus |= JSIS_CONSOLE_FORCED;
else
jsiStatus &= ~JSIS_CONSOLE_FORCED;
if (device == consoleDevice) return;
if (DEVICE_IS_USART(device) && !jshIsDeviceInitialised(device)) {
JshUSARTInfo inf;
jshUSARTInitInfo(&inf);
jshUSARTSetup(device, &inf);
}
bool echo = jsiEcho();
// If we're still in 'limbo', move any contents over
if (consoleDevice == EV_LIMBO) {
echo = false;
jshTransmitMove(EV_LIMBO, device);
jshUSARTKick(device);
}
// Log to the old console that we are moving consoles and then, once we have moved
// the console, log to the new console that we have moved consoles.
if (echo) { // intentionally not using jsiShowInputLine()
jsiConsoleRemoveInputLine();
jsiConsolePrintf("-> %s\n", jshGetDeviceString(device));
}
IOEventFlags oldDevice = consoleDevice;
consoleDevice = device;
if (echo) { // intentionally not using jsiShowInputLine()
jsiConsolePrintf("<- %s\n", jshGetDeviceString(oldDevice));
}
}
IOEventFlags jsiGetConsoleDevice() {
// The `consoleDevice` is the global used to hold the current console. This function
// encapsulates access.
return consoleDevice;
}
bool jsiIsConsoleDeviceForced() {
return (jsiStatus & JSIS_CONSOLE_FORCED)!=0;
}
/**
* Send a character to the console.
*/
NO_INLINE void jsiConsolePrintChar(char data) {
jshTransmit(consoleDevice, (unsigned char)data);
}
/**
* \breif Send a NULL terminated string to the console.
*/
NO_INLINE void jsiConsolePrintString(const char *str) {
while (*str) {
if (*str == '\n') jsiConsolePrintChar('\r');
jsiConsolePrintChar(*(str++));
}
}
void vcbprintf_callback_jsiConsolePrintString(const char *str, void* user_data) {
NOT_USED(user_data);
jsiConsolePrintString(str);
}
#ifdef USE_FLASH_MEMORY
// internal version that copies str from flash to an internal buffer
NO_INLINE void jsiConsolePrintString_int(const char *str) {
size_t len = flash_strlen(str);
char buff[len+1];
flash_strncpy(buff, str, len+1);
jsiConsolePrintString(buff);
}
#endif
/**
* Perform a printf to the console.
* Execute a printf command to the current JS console.
*/
#ifndef USE_FLASH_MEMORY
void jsiConsolePrintf(const char *fmt, ...) {
va_list argp;
va_start(argp, fmt);
vcbprintf((vcbprintf_callback)jsiConsolePrint,0, fmt, argp);
va_end(argp);
}
#else
void jsiConsolePrintf_int(const char *fmt, ...) {
// fmt is in flash and requires special aligned accesses
size_t len = flash_strlen(fmt);
char buff[len+1];
flash_strncpy(buff, fmt, len+1);
va_list argp;
va_start(argp, fmt);
vcbprintf(vcbprintf_callback_jsiConsolePrintString, 0, buff, argp);
va_end(argp);
}
#endif
/// Print the contents of a string var from a character position until end of line (adding an extra ' ' to delete a character if there was one)
void jsiConsolePrintStringVarUntilEOL(JsVar *v, size_t fromCharacter, size_t maxChars, bool andBackup) {
size_t chars = 0;
JsvStringIterator it;
jsvStringIteratorNew(&it, v, fromCharacter);
while (jsvStringIteratorHasChar(&it) && chars<maxChars) {
char ch = jsvStringIteratorGetCharAndNext(&it);
if (ch == '\n') break;
jsiConsolePrintChar(ch);
chars++;
}
jsvStringIteratorFree(&it);
if (andBackup) {
jsiConsolePrintChar(' ');chars++;
while (chars--) jsiConsolePrintChar(0x08); //delete
}
}
/** Print the contents of a string var - directly - starting from the given character, and
* using newLineCh to prefix new lines (if it is not 0). */
void jsiConsolePrintStringVarWithNewLineChar(JsVar *v, size_t fromCharacter, char newLineCh) {
JsvStringIterator it;
jsvStringIteratorNew(&it, v, fromCharacter);
while (jsvStringIteratorHasChar(&it)) {
char ch = jsvStringIteratorGetCharAndNext(&it);
if (ch == '\n') jsiConsolePrintChar('\r');
jsiConsolePrintChar(ch);
if (ch == '\n' && newLineCh) jsiConsolePrintChar(newLineCh);
}
jsvStringIteratorFree(&it);
}
/**
* Print the contents of a string var - directly.
*/
void jsiConsolePrintStringVar(JsVar *v) {
jsiConsolePrintStringVarWithNewLineChar(v,0,0);
}
/** Erase everything from the cursor position onwards */
void jsiConsoleEraseAfterCursor() {
jsiConsolePrint("\x1B[J"); // 27,91,74 - delete all to right and down
}
void jsiMoveCursor(size_t oldX, size_t oldY, size_t newX, size_t newY) {
// see http://www.termsys.demon.co.uk/vtansi.htm - we could do this better
// move cursor
while (oldX < newX) {
jsiConsolePrint("\x1B[C"); // 27,91,67 - right
oldX++;
}
while (oldX > newX) {
jsiConsolePrint("\x1B[D"); // 27,91,68 - left
oldX--;
}
while (oldY < newY) {
jsiConsolePrint("\x1B[B"); // 27,91,66 - down
oldY++;
}
while (oldY > newY) {
jsiConsolePrint("\x1B[A"); // 27,91,65 - up
oldY--;
}
}
void jsiMoveCursorChar(JsVar *v, size_t fromCharacter, size_t toCharacter) {
if (fromCharacter==toCharacter) return;
size_t oldX, oldY;
jsvGetLineAndCol(v, fromCharacter, &oldY, &oldX);
size_t newX, newY;
jsvGetLineAndCol(v, toCharacter, &newY, &newX);
jsiMoveCursor(oldX, oldY, newX, newY);
}
/// If the input line was shown in the console, remove it
void jsiConsoleRemoveInputLine() {
if (!inputLineRemoved) {
inputLineRemoved = true;
if (jsiEcho() && inputLine) { // intentionally not using jsiShowInputLine()
jsiMoveCursorChar(inputLine, inputCursorPos, 0); // move cursor to start of line
jsiConsolePrintChar('\r'); // go propery to start of line - past '>'
jsiConsoleEraseAfterCursor(); // delete all to right and down
#ifdef USE_DEBUGGER
if (jsiStatus & JSIS_IN_DEBUGGER) {
jsiConsolePrintChar(0x08); // d
jsiConsolePrintChar(0x08); // e
jsiConsolePrintChar(0x08); // b
jsiConsolePrintChar(0x08); // u
jsiConsolePrintChar(0x08); // g
}
#endif
}
}
}
/// If the input line has been removed, return it
void jsiConsoleReturnInputLine() {
if (inputLineRemoved) {
inputLineRemoved = false;
if (jsiEcho()) { // intentionally not using jsiShowInputLine()
#ifdef USE_DEBUGGER
if (jsiStatus & JSIS_IN_DEBUGGER)
jsiConsolePrint("debug");
#endif
if (jsiPasswordProtected())
jsiConsolePrint("password");
jsiConsolePrintChar('>'); // show the prompt
jsiConsolePrintStringVarWithNewLineChar(inputLine, 0, ':');
jsiMoveCursorChar(inputLine, jsvGetStringLength(inputLine), inputCursorPos);
}
}
}
/**
* Clear the input line of data. If updateConsole is set, it
* sends VT100 characters to physically remove the line from
* the user's terminal.
*/
void jsiClearInputLine(bool updateConsole) {
// input line already empty - don't do anything
if (jsvIsEmptyString(inputLine))
return;
// otherwise...
if (updateConsole)
jsiConsoleRemoveInputLine();
// clear input line
jsiInputLineCursorMoved();
jsvUnLock(inputLine);
inputLine = jsvNewFromEmptyString();
inputCursorPos = 0;
}
/* Sets 'busy state' - this is used for lighting up a busy indicator LED, which can be used for debugging power usage */
void jsiSetBusy(
JsiBusyDevice device, //!< ???
bool isBusy //!< ???
) {
#ifndef SAVE_ON_FLASH
static JsiBusyDevice business = 0;
if (isBusy)
business |= device;
else
business &= (JsiBusyDevice)~device;
if (pinBusyIndicator != PIN_UNDEFINED)
jshPinOutput(pinBusyIndicator, business!=0);
#endif
}
/**
* Set the status of a pin as a function of whether we are asleep.
* When called, if a pin is set for a sleep indicator, we set the pin to be true
* if the sleep type is awake and false otherwise.
*/
void jsiSetSleep(JsiSleepType isSleep) {
#ifndef SAVE_ON_FLASH
if (pinSleepIndicator != PIN_UNDEFINED)
jshPinOutput(pinSleepIndicator, isSleep == JSI_SLEEP_AWAKE);
#endif
}
static JsVarRef _jsiInitNamedArray(const char *name) {
JsVar *array = jsvObjectGetChild(execInfo.hiddenRoot, name, JSV_ARRAY);
JsVarRef arrayRef = 0;
if (array) arrayRef = jsvGetRef(jsvRef(array));
jsvUnLock(array);
return arrayRef;
}
// Used when recovering after being flashed
// 'claim' anything we are using
void jsiSoftInit(bool hasBeenReset) {
jsErrorFlags = 0;
lastJsErrorFlags = 0;
events = jsvNewEmptyArray();
inputLine = jsvNewFromEmptyString();
inputCursorPos = 0;
jsiLineNumberOffset = 0;
jsiInputLineCursorMoved();
inputLineIterator.var = 0;
jsfSetFlag(JSF_DEEP_SLEEP, 0);
#ifndef SAVE_ON_FLASH
pinBusyIndicator = DEFAULT_BUSY_PIN_INDICATOR;
pinSleepIndicator = DEFAULT_SLEEP_PIN_INDICATOR;
#endif
// Load timer/watch arrays
timerArray = _jsiInitNamedArray(JSI_TIMERS_NAME);
watchArray = _jsiInitNamedArray(JSI_WATCHES_NAME);
// Make sure we set up lastIdleTime, as this could be used
// when adding an interval from onInit (called below)
jsiLastIdleTime = jshGetSystemTime();
#ifndef EMBEDDED
jsiTimeSinceCtrlC = 0xFFFFFFFF;
#endif
// Set up interpreter flags and remove
JsVar *flags = jsvObjectGetChildIfExists(execInfo.hiddenRoot, JSI_JSFLAGS_NAME);
if (flags) {
jsFlags = jsvGetIntegerAndUnLock(flags);
jsvObjectRemoveChild(execInfo.hiddenRoot, JSI_JSFLAGS_NAME);
}
// Run wrapper initialisation stuff
jswInit();
// Run 'boot code' - textual JS in flash
jsfLoadBootCodeFromFlash(hasBeenReset);
// Now run initialisation code
JsVar *initCode = jsvObjectGetChildIfExists(execInfo.hiddenRoot, JSI_INIT_CODE_NAME);
if (initCode) {
jsvUnLock2(jspEvaluateVar(initCode, 0, 0), initCode);
jsvObjectRemoveChild(execInfo.hiddenRoot, JSI_INIT_CODE_NAME);
}
// Check any existing watches and set up interrupts for them
if (watchArray) {
JsVar *watchArrayPtr = jsvLock(watchArray);
JsvObjectIterator it;
jsvObjectIteratorNew(&it, watchArrayPtr);
while (jsvObjectIteratorHasValue(&it)) {
JsVar *watch = jsvObjectIteratorGetValue(&it);
JsVar *watchPin = jsvObjectGetChildIfExists(watch, "pin");
bool highAcc = jsvObjectGetBoolChild(watch, "hispeed");
jshPinWatch(jshGetPinFromVar(watchPin), true, highAcc?JSPW_HIGH_SPEED:JSPW_NONE);
jsvUnLock2(watchPin, watch);
jsvObjectIteratorNext(&it);
}
jsvObjectIteratorFree(&it);
jsvUnLock(watchArrayPtr);
}
// Timers are stored by time in the future now, so no need
// to fiddle with them.
// Execute `init` events on `E`
jsiExecuteEventCallbackOn("E", INIT_CALLBACK_NAME, 0, 0);
// Execute the `onInit` function
JsVar *onInit = jsvObjectGetChildIfExists(execInfo.root, JSI_ONINIT_NAME);
if (onInit) {
if (jsiEcho()) jsiConsolePrint("Running onInit()...\n");
jsiExecuteEventCallback(0, onInit, 0, 0);
jsvUnLock(onInit);
}
}
/** Output the given variable as JSON, or if it exists
* in the root scope (and it's not 'existing') then just
* the name is dumped. */
void jsiDumpJSON(vcbprintf_callback user_callback, void *user_data, JsVar *data, JsVar *existing) {
// Check if it exists in the root scope
JsVar *name = jsvGetIndexOf(execInfo.root, data, true);
if (name && jsvIsString(name) && name!=existing) {
// if it does, print the name
cbprintf(user_callback, user_data, "%v", name);
} else {
// if it doesn't, print JSON
jsfGetJSONWithCallback(data, NULL, JSON_SOME_NEWLINES | JSON_PRETTY | JSON_SHOW_DEVICES, 0, user_callback, user_data);
}
}
NO_INLINE static void jsiDumpEvent(vcbprintf_callback user_callback, void *user_data, JsVar *parentName, JsVar *eventKeyName, JsVar *eventFn) {
JsVar *eventName = jsvNewFromStringVar(eventKeyName, strlen(JS_EVENT_PREFIX), JSVAPPENDSTRINGVAR_MAXLENGTH);
cbprintf(user_callback, user_data, "%v.on(%q, ", parentName, eventName);
jsvUnLock(eventName);
jsiDumpJSON(user_callback, user_data, eventFn, 0);
user_callback(");\n", user_data);
}
/** Output extra functions defined in an object such that they can be copied to a new device */
NO_INLINE void jsiDumpObjectState(vcbprintf_callback user_callback, void *user_data, JsVar *parentName, JsVar *parent) {
JsvIsInternalChecker checker = jsvGetInternalFunctionCheckerFor(parent);
JsvObjectIterator it;
jsvObjectIteratorNew(&it, parent);
while (jsvObjectIteratorHasValue(&it)) {
JsVar *child = jsvObjectIteratorGetKey(&it);
JsVar *data = jsvObjectIteratorGetValue(&it);
if (!checker || !checker(child)) {
if (jsvIsStringEqual(child, JSPARSE_PROTOTYPE_VAR)) {
// recurse to print prototypes
JsVar *name = jsvNewFromStringVarComplete(parentName);
if (name) {
jsvAppendString(name, ".prototype");
jsiDumpObjectState(user_callback, user_data, name, data);
jsvUnLock(name);
}
} else if (jsvIsStringEqualOrStartsWith(child, JS_EVENT_PREFIX, true)) {
// Handle the case that this is an event
if (jsvIsArray(data)) {
JsvObjectIterator ait;
jsvObjectIteratorNew(&ait, data);
while (jsvObjectIteratorHasValue(&ait)) {
JsVar *v = jsvObjectIteratorGetValue(&ait);
jsiDumpEvent(user_callback, user_data, parentName, child, v);
jsvUnLock(v);
jsvObjectIteratorNext(&ait);
}
jsvObjectIteratorFree(&ait);
} else {
jsiDumpEvent(user_callback, user_data, parentName, child, data);
}
} else {
// It's a normal function
if (!jsvIsNativeFunction(data)) {
cbprintf(user_callback, user_data, "%v.%v = ", parentName, child);
jsiDumpJSON(user_callback, user_data, data, 0);
user_callback(";\n", user_data);
}
}
}
jsvUnLock2(data, child);
jsvObjectIteratorNext(&it);
}
jsvObjectIteratorFree(&it);
}
/** Dump the code required to initialise a serial port to this string */
void jsiDumpSerialInitialisation(vcbprintf_callback user_callback, void *user_data, const char *serialName, bool humanReadableDump) {
JsVar *serialVarName = jsvFindChildFromString(execInfo.root, serialName);
JsVar *serialVar = jsvSkipName(serialVarName);
if (serialVar) {
if (humanReadableDump)
jsiDumpObjectState(user_callback, user_data, serialVarName, serialVar);
JsVar *baud = jsvObjectGetChildIfExists(serialVar, USART_BAUDRATE_NAME);
JsVar *options = jsvObjectGetChildIfExists(serialVar, DEVICE_OPTIONS_NAME);
if (baud || options) {
int baudrate = (int)jsvGetInteger(baud);
if (baudrate <= 0) baudrate = DEFAULT_BAUD_RATE;
cbprintf(user_callback, user_data, "%s.setup(%d", serialName, baudrate);
if (jsvIsObject(options)) {
user_callback(", ", user_data);
jsfGetJSONWithCallback(options, NULL, JSON_SHOW_DEVICES, 0, user_callback, user_data);
}
user_callback(");\n", user_data);
}
jsvUnLock3(baud, options, serialVar);
}
jsvUnLock(serialVarName);
}
/** Dump the code required to initialise a SPI port to this string */
void jsiDumpDeviceInitialisation(vcbprintf_callback user_callback, void *user_data, const char *deviceName) {
JsVar *deviceVar = jsvObjectGetChildIfExists(execInfo.root, deviceName);
if (deviceVar) {
JsVar *options = jsvObjectGetChildIfExists(deviceVar, DEVICE_OPTIONS_NAME);
if (options) {
cbprintf(user_callback, user_data, "%s.setup(", deviceName);
if (jsvIsObject(options))
jsfGetJSONWithCallback(options, NULL, JSON_SHOW_DEVICES, 0, user_callback, user_data);
user_callback(");\n", user_data);
}
jsvUnLock2(options, deviceVar);
}
}
/** Dump all the code required to initialise hardware to this string */
void jsiDumpHardwareInitialisation(vcbprintf_callback user_callback, void *user_data, bool humanReadableDump) {
#ifndef NO_DUMP_HARDWARE_INITIALISATION // eg. Banglejs doesn't need to dump hardware initialisation
if (jsiStatus&JSIS_ECHO_OFF) user_callback("echo(0);", user_data);
#ifndef SAVE_ON_FLASH
if (pinBusyIndicator != DEFAULT_BUSY_PIN_INDICATOR) {
cbprintf(user_callback, user_data, "setBusyIndicator(%p);\n", pinBusyIndicator);
}
if (pinSleepIndicator != DEFAULT_SLEEP_PIN_INDICATOR) {
cbprintf(user_callback, user_data, "setSleepIndicator(%p);\n", pinSleepIndicator);
}
#endif
if (humanReadableDump && jsFlags/* non-standard flags */) {
JsVar *v = jsfGetFlags();
cbprintf(user_callback, user_data, "E.setFlags(%j);\n", v);
jsvUnLock(v);
}
#ifdef USB
jsiDumpSerialInitialisation(user_callback, user_data, "USB", humanReadableDump);
#endif
int i;
#if ESPR_USART_COUNT>0
for (i=0;i<ESPR_USART_COUNT;i++)
jsiDumpSerialInitialisation(user_callback, user_data, jshGetDeviceString(EV_SERIAL1+i), humanReadableDump);
#endif
#if ESPR_SPI_COUNT>0
for (i=0;i<ESPR_SPI_COUNT;i++)
jsiDumpDeviceInitialisation(user_callback, user_data, jshGetDeviceString(EV_SPI1+i));
#endif
#if ESPR_I2C_COUNT>0
for (i=0;i<ESPR_I2C_COUNT;i++)
jsiDumpDeviceInitialisation(user_callback, user_data, jshGetDeviceString(EV_I2C1+i));
#endif
// pins
Pin pin;
for (pin=0;jshIsPinValid(pin) && pin<JSH_PIN_COUNT;pin++) {
if (IS_PIN_USED_INTERNALLY(pin)) continue;
JshPinState state = jshPinGetState(pin);
JshPinState statem = state&JSHPINSTATE_MASK;
if (statem == JSHPINSTATE_GPIO_OUT && !jshGetPinStateIsManual(pin)) {
bool isOn = (state&JSHPINSTATE_PIN_IS_ON)!=0;
if (!isOn && IS_PIN_A_LED(pin)) continue;
cbprintf(user_callback, user_data, "digitalWrite(%p, %d);\n",pin,isOn?1:0);
} else {
#ifdef DEFAULT_CONSOLE_RX_PIN
// the console input pin is always a pullup now - which is expected
if (pin == DEFAULT_CONSOLE_RX_PIN &&
(statem == JSHPINSTATE_GPIO_IN_PULLUP ||
statem == JSHPINSTATE_AF_OUT)) continue;
#endif
#ifdef DEFAULT_CONSOLE_TX_PIN
// the console input pin is always a pullup now - which is expected
if (pin == DEFAULT_CONSOLE_TX_PIN &&
(statem == JSHPINSTATE_AF_OUT)) continue;
#endif
#if defined(BTN1_PININDEX) && defined(BTN1_PINSTATE)
if (pin == BTN1_PININDEX &&
statem == BTN1_PINSTATE) continue;
#endif
#if defined(BTN2_PININDEX) && defined(BTN2_PINSTATE)
if (pin == BTN2_PININDEX &&
statem == BTN2_PINSTATE) continue;
#endif
#if defined(BTN3_PININDEX) && defined(BTN3_PINSTATE)
if (pin == BTN3_PININDEX &&
statem == BTN3_PINSTATE) continue;
#endif
#if defined(BTN4_PININDEX) && defined(BTN4_PINSTATE)
if (pin == BTN4_PININDEX &&
statem == BTN4_PINSTATE) continue;
#endif
// don't bother with normal inputs, as they come up in this state (ish) anyway
if (!jshIsPinStateDefault(pin, statem)) {
// use getPinMode to get the correct string (remove some duplication)
JsVar *s = jswrap_io_getPinMode(pin);
if (s) cbprintf(user_callback, user_data, "pinMode(%p, %q%s);\n",pin,s,jshGetPinStateIsManual(pin)?"":", true");
jsvUnLock(s);
}
}
}
#ifdef BLUETOOTH
if (humanReadableDump)
jswrap_ble_dumpBluetoothInitialisation(user_callback, user_data);
#endif
#endif
}
// Used when shutting down before flashing
// 'release' anything we are using, but ensure that it doesn't get freed
void jsiSoftKill() {
// Close any open file transfers
jsiPacketFileEnd();
jsiPacketExit();
// Execute `kill` events on `E`
jsiExecuteEventCallbackOn("E", KILL_CALLBACK_NAME, 0, 0);
jsiCheckErrors();
// Clear input line...
inputCursorPos = 0;
jsiInputLineCursorMoved();
jsvUnLock(inputLine);
inputLine=0;
// kill any wrapped stuff
jswKill();
// Stop all active timer tasks
jstReset();
// Unref Watches/etc
if (events) {
jsvUnLock(events);
events=0;
}
if (timerArray) {
jsvUnRefRef(timerArray);
timerArray=0;
}
if (watchArray) {
// Check any existing watches and disable interrupts for them
JsVar *watchArrayPtr = jsvLock(watchArray);
JsvObjectIterator it;
jsvObjectIteratorNew(&it, watchArrayPtr);
while (jsvObjectIteratorHasValue(&it)) {
JsVar *watchPtr = jsvObjectIteratorGetValue(&it);
JsVar *watchPin = jsvObjectGetChildIfExists(watchPtr, "pin");
jshPinWatch(jshGetPinFromVar(watchPin), false, JSPW_NONE);
jsvUnLock2(watchPin, watchPtr);
jsvObjectIteratorNext(&it);
}
jsvObjectIteratorFree(&it);
jsvUnRef(watchArrayPtr);
jsvUnLock(watchArrayPtr);
watchArray=0;
}
// Save flags if required
if (jsFlags)
jsvObjectSetChildAndUnLock(execInfo.hiddenRoot, JSI_JSFLAGS_NAME, jsvNewFromInteger(jsFlags));
// Save initialisation information
JsVar *initCode = jsvNewFromEmptyString();
if (initCode) { // out of memory
JsvStringIterator it;
jsvStringIteratorNew(&it, initCode, 0);
jsiDumpHardwareInitialisation((vcbprintf_callback)&jsvStringIteratorPrintfCallback, &it, false/*human readable*/);
jsvStringIteratorFree(&it);
jsvObjectSetChild(execInfo.hiddenRoot, JSI_INIT_CODE_NAME, initCode);
jsvUnLock(initCode);
}
// If we're here we're loading, saving or resetting - board is no longer at power-on state
jsiStatus &= ~JSIS_COMPLETELY_RESET; // loading code, remove this flag
jsiStatus &= ~JSIS_FIRST_BOOT; // this is no longer the first boot!
}
/** Called as part of initialisation - loads boot code.
*
* loadedFilename is set if we're loading a file, and we can use that for setting the __FILE__ variable
*/
void jsiSemiInit(bool autoLoad, JsfFileName *loadedFilename) {
// Set up execInfo.root/etc
jspInit();
// Set defaults
jsiStatus &= JSIS_SOFTINIT_MASK;
#ifndef SAVE_ON_FLASH
pinBusyIndicator = DEFAULT_BUSY_PIN_INDICATOR;
#endif
#ifdef BANGLEJS
bool recoveryMode = false;
#endif
// Set __FILE__ if we have a filename available
if (loadedFilename)
jsvObjectSetChildAndUnLock(execInfo.root, "__FILE__", jsfVarFromName(*loadedFilename));
// Search for invalid storage and erase do this only on first boot.
// We need to do it before we check storage for any files!
#if !defined(EMSCRIPTEN) && !defined(SAVE_ON_FLASH)
bool fullTest = jsiStatus & JSIS_FIRST_BOOT;
if (fullTest) {
#ifdef BANGLEJS
jsiConsolePrintf("Checking storage...\n");
#endif
if (!jsfIsStorageValid(JSFSTT_NORMAL | JSFSTT_FIND_FILENAME_TABLE)) {
jsiConsolePrintf("Storage is corrupt.\n");
#ifdef BANGLEJS // On Bangle.js if Storage is corrupt, show a recovery menu
autoLoad = false; // don't load code
recoveryMode = true; // start recovery menu at end of init
#else
jsfResetStorage();
#endif
} else {
#ifdef BANGLEJS
jsiConsolePrintf("Storage Ok.\n");
#endif
}
}
#endif
/* If flash contains any code, then we should
Try and load from it... */
bool loadFlash = autoLoad && jsfFlashContainsCode();
if (loadFlash) {
jsiStatus &= ~JSIS_COMPLETELY_RESET; // loading code, remove this flag
jspSoftKill();
jsvSoftKill();
jsfLoadStateFromFlash();
jsvSoftInit();
jspSoftInit();
}
#ifndef ESPR_NO_PASSWORD
// If a password was set, apply the lock
JsVar *pwd = jsvObjectGetChildIfExists(execInfo.hiddenRoot, PASSWORD_VARIABLE_NAME);
if (pwd)
jsiStatus |= JSIS_PASSWORD_PROTECTED;
jsvUnLock(pwd);
#endif
// Softinit may run initialisation code that will overwrite defaults
jsiSoftInit(!autoLoad);
#ifdef ESP8266
jshSoftInit();
#endif
#ifdef ESP32
jshSoftInit();
#endif
if (jsiEcho()) { // intentionally not using jsiShowInputLine()
if (!loadFlash) {
#ifdef USE_TERMINAL
if (consoleDevice != EV_TERMINAL) // don't spam the terminal
#endif
jsiConsolePrint(
#ifndef LINUX
// set up terminal to avoid word wrap
"\e[?7l"
#endif
#if (defined(DICKENS) || defined(EMSCRIPTEN_DICKENS))
"\n"
"------------------------\n"
"PROJECT DICKENS "JS_VERSION"\n"
"© 2023 G.Williams & TWC\n"
#else
// rectangles @ http://www.network-science.de/ascii/
"\n"
" ____ _ \n"
"| __|___ ___ ___ _ _|_|___ ___ \n"
"| __|_ -| . | _| | | | | . |\n"
"|____|___| _|_| |___|_|_|_|___|\n"
" |_| espruino.com\n"
" "JS_VERSION" (c) 2025 G.Williams\n"
// Point out about donations - but don't bug people
// who bought boards that helped Espruino
#if !defined(ESPR_OFFICIAL_BOARD)
"\n"
"Espruino is Open Source. Our work is supported\n"
"only by sales of official boards and donations:\n"
"http://espruino.com/Donate\n"
#endif
#endif
);
#ifdef ESP8266
jshPrintBanner();
#endif
}
#ifdef USE_TERMINAL
if (consoleDevice != EV_TERMINAL) // don't spam the terminal
#endif
jsiConsolePrint("\n"); // output new line
inputLineRemoved = true; // we need to put the input line back...
}
#ifdef BANGLEJS // On Bangle.js if Storage is corrupt, show a recovery menu
if (recoveryMode) // start recovery menu at end of init
jsvUnLock(jspEvaluate("setTimeout(Bangle.showRecoveryMenu,100)",true));
#endif
}
// The 'proper' init function - this should be called only once at bootup
void jsiInit(bool autoLoad) {
jsiStatus = JSIS_COMPLETELY_RESET | JSIS_FIRST_BOOT;
#if defined(LINUX) || !defined(USB)
consoleDevice = jsiGetPreferredConsoleDevice();
#else
consoleDevice = EV_LIMBO;
#endif
#ifndef RELEASE
jsnSanityTest();
#endif
jsiSemiInit(autoLoad, NULL/* no filename */);
// just in case, update the busy indicator
jsiSetBusy(BUSY_INTERACTIVE, false);
}
#ifndef LINUX
// This should get jsiOneSecondAfterStartupcalled from jshardware.c one second after startup,
// it does initialisation tasks like setting the right console device
void jsiOneSecondAfterStartup() {
/* When we start up, we put all console output into 'Limbo' (EV_LIMBO),
because we want to get started immediately, but we don't know where
to send any console output (USB takes a while to initialise). Not only
that but if we start transmitting on Serial right away, the first
char or two can get corrupted.
*/
#ifdef USB
if (consoleDevice == EV_LIMBO) {
consoleDevice = jsiGetPreferredConsoleDevice();