ide/Debugger: Fixed OS X GDB 6.3 regressions
[sdk] / ide / src / debugger / Debugger.ec
1 #ifdef ECERE_STATIC
2 public import static "ecere"
3 public import static "ec"
4 #else
5 public import "ecere"
6 public import "ec"
7 #endif
8
9 import "ide"
10 import "process"
11 import "debugFindCtx"
12 import "debugTools"
13
14 #ifdef _DEBUG
15 #define GDB_DEBUG_CONSOLE
16 #define _DEBUG_INST
17 #endif
18
19 extern char * strrchr(const char * s, int c);
20
21 #define uint _uint
22 #define strlen _strlen
23 #include <stdarg.h>
24 #include <unistd.h>
25 #include <ctype.h>
26
27 #ifdef __APPLE__
28 #define __unix__
29 #endif
30
31 #if defined(__unix__)
32 #include <sys/stat.h>
33 #include <sys/time.h> // Required on Apple...
34 #endif
35 #undef uint
36 #undef strlen
37
38 char * PrintNow()
39 {
40    int c;
41    char * s[6];
42    char * time;
43    DateTime now;
44    now.GetLocalTime();
45    for(c=0; c<6; c++)
46       s[c] = new char[8];
47    sprintf(s[0], "%04d", now.year);
48    sprintf(s[1], "%02d", now.month+1);
49    sprintf(s[2], "%02d", now.day);
50    sprintf(s[3], "%02d", now.hour);
51    sprintf(s[4], "%02d", now.minute);
52    sprintf(s[5], "%02d", now.second);
53    time = PrintString("*", s[0], s[1], s[2], "-", s[3], s[4], s[5], "*");
54    for(c=0; c<6; c++)
55       delete s[c];
56    return time;
57 }
58
59 // use =0 to disable printing of specific channels
60 #ifdef _DEBUG_INST
61 static enum dplchan { none, gdbProtoIgnored=0/*1*/, gdbProtoUnknown=2, gdbOutput=3/*3*/, gdbCommand=4/*4*/, debuggerCall=0/*5*/, debuggerProblem=6,
62                         debuggerUserAction=7,debuggerState=8, debuggerBreakpoints=9, debuggerWatches=0/*10*/, debuggerTemp=0 };
63 #else
64 static enum dplchan { none, gdbProtoIgnored=0, gdbProtoUnknown=0, gdbOutput=0, gdbCommand=0, debuggerCall=0, debuggerProblem=0,
65                         debuggerUserAction=0,debuggerState=0, debuggerBreakpoints=0, debuggerWatches=0, debuggerTemp=0 };
66 #endif
67 static char * _dpct[] = {
68    null,
69    "GDB Protocol Ignored",
70    "GDB Protocol ***Unknown***",
71    "GDB Output",
72    "GDB Command",
73    ""/*Debugger Call*/,
74    "Debugger ***Problem***",
75    "Debugger::ChangeUserAction",
76    "Debugger::ChangeState",
77    "Breakpoints",
78    "Watches",
79    "-----> Temporary Message",
80    null
81 };
82
83 // TODO if(strlen(item.value) < MAX_F_STRING)
84
85 // Debug Print Line
86 #ifdef _DEBUG_INST
87 #define _dpl2(...) __dpl2(__FILE__, __LINE__, ##__VA_ARGS__)
88 #else
89 #define _dpl2(...)
90 #endif
91 static void __dpl2(char * file, int line, char ** channels, int channel, int indent, typed_object object, ...)
92 {
93    bool chan = channel && channels && channels[channel];
94    if(chan || !channels)
95    {
96       char string[MAX_F_STRING];
97       int len;
98       char * time = PrintNow();
99       va_list args;
100       //ide.outputView.debugBox.Logf();
101       Logf("%s %s:% 5d: %s%s", time, file, line, chan ? channels[channel] : "", chan && channels[channel][0] ? ": " : "");
102       va_start(args, object);
103       len = PrintStdArgsToBuffer(string, sizeof(string), object, args);
104       Log(string);
105       va_end(args);
106       Log("\n");
107       delete time;
108    }
109 }
110
111 #define _dpl(...) __dpl(__FILE__, __LINE__, ##__VA_ARGS__)
112 static void __dpl(char * file, int line, int indent, char * format, ...)
113 {
114    va_list args;
115    char string[MAX_F_STRING];
116    int c;
117    char * time = PrintNow();
118    //static File f = null;
119    va_start(args, format);
120    vsnprintf(string, sizeof(string), format, args);
121    string[sizeof(string)-1] = 0;
122    /*if(!f)
123    {
124       char * time = PrintNow();
125       char * logName;
126       logName = PrintString(time, ".log");
127       delete time;
128       f = FileOpen(logName, write);
129       delete logName;
130    }*/
131    /*f.Printf("%s %s:% 5d: ", time, file, line);
132    for(c = 0; c<indent; c++)
133       f.Putc(' ');
134    f.Printf("%s\n", string);*/
135    Logf("%s %s:% 5d: ", time, file, line);
136    for(c = 0; c<indent; c++)
137       Log(" ");
138    Logf("%s\n", string);
139    va_end(args);
140    delete time;
141 }
142
143 public char * StripQuotes2(char * string, char * output)
144 {
145    int c;
146    int d = 0;
147    bool quoted = false, escaped = false;
148    char ch;
149    for(c = 0; ch = string[c]; c++)
150    {
151       if(quoted)
152       {
153          if(escaped || ch != '\"')
154          {
155             output[d++] = ch;
156             escaped = !escaped && ch == '\\';
157          }
158          else
159             quoted = false;
160       }
161       else if(ch == '\"')
162          quoted = true;
163       else
164          output[d++] = ch;
165    }
166    output[d] = '\0';
167    return output;
168 }
169
170 // String Escape Copy
171 static void strescpy(char * d, char * s)
172 {
173    int j = 0, k = 0;
174    char ch;
175    while((ch = s[j]))
176    {
177       switch(ch)
178       {
179          case '\n': d[k] = '\\'; d[++k] = 'n'; break;
180          case '\t': d[k] = '\\'; d[++k] = 't'; break;
181          case '\a': d[k] = '\\'; d[++k] = 'a'; break;
182          case '\b': d[k] = '\\'; d[++k] = 'b'; break;
183          case '\f': d[k] = '\\'; d[++k] = 'f'; break;
184          case '\r': d[k] = '\\'; d[++k] = 'r'; break;
185          case '\v': d[k] = '\\'; d[++k] = 'v'; break;
186          case '\\': d[k] = '\\'; d[++k] = '\\'; break;
187          case '\"': d[k] = '\\'; d[++k] = '\"'; break;
188          default: d[k] = s[j];
189       }
190       j++, k++;
191    }
192    d[k] = '\0';
193 }
194
195 static char * CopyUnescapedSystemPath(char * p)
196 {
197    char * d = new char[strlen(p) + 1];
198    struscpy(d, p);
199 #if defined(__WIN32__)
200    ChangeCh(d, '/', '\\');
201 #endif
202    return d;
203 }
204
205 static char * CopyUnescapedUnixPath(char * p)
206 {
207    char * d = new char[strlen(p) + 1];
208    struscpy(d, p);
209 #if defined(__WIN32__)
210    ChangeCh(d, '\\', '/');
211 #endif
212    return d;
213 }
214
215 static char * CopyUnescapedString(char * s)
216 {
217    char * d = new char[strlen(s) + 1];
218    struscpy(d, s);
219    return d;
220 }
221
222 // String Unescape Copy
223
224 // TOFIX: THIS DOESN'T HANDLE NUMERIC ESCAPE CODES (OCTAL/HEXADECIMAL...)?
225 // Seems very similar to ReadString in pass15.ec (which also misses numeric escape codes :) )
226
227 static void struscpy(char * d, char * s)
228 {
229    int j = 0, k = 0;
230    char ch;
231    while((ch = s[j]))
232    {
233       switch(ch)
234       {
235          case '\\':
236             switch(s[++j])
237             {
238                case 'n': d[k] = '\n'; break;
239                case 't': d[k] = '\t'; break;
240                case 'a': d[k] = '\a'; break;
241                case 'b': d[k] = '\b'; break;
242                case 'f': d[k] = '\f'; break;
243                case 'r': d[k] = '\r'; break;
244                case 'v': d[k] = '\v'; break;
245                case '\\': d[k] = '\\'; break;
246                case '\"': d[k] = '\"'; break;
247                default: d[k] = '\\'; d[++k] = s[j];
248             }
249             break;
250          default:
251             d[k] = s[j];
252       }
253       j++, k++;
254    }
255    d[k] = '\0';
256 }
257
258 static char * StripBrackets(char * string)
259 {
260    int length = strlen(string);
261    if(length > 1 && *string == '[' && string[length - 1] == ']')
262    {
263       *string = '\0';
264       string[length - 1] = '\0';
265       return ++string;
266    }
267    else
268       return string;
269 }
270
271 static char * StripCurlies(char * string)
272 {
273    int length = strlen(string);
274    if(length > 1 && *string == '{' && string[length - 1] == '}')
275    {
276       *string = '\0';
277       string[length - 1] = '\0';
278       return ++string;
279    }
280    else
281       return string;
282 }
283
284 static int StringGetInt(char * string, int start)
285 {
286    char number[8];
287    int i, len = strlen(string);
288    number[0] = '\0';
289    for(i = start; i < len && i < start + 8; i++)
290    {
291       if(string[i] == '0' || string[i] == '1' || string[i] == '2' || string[i] == '3' || string[i] == '4' || string[i] == '5' || string[i] == '6' || string[i] == '7' || string[i] == '8' || string[i] == '9')
292          strncat(number, &string[i], 1);
293       else
294          break;
295    }
296    return atoi(number);
297 }
298
299 static int TokenizeList(char * string, const char seperator, Array<char *> tokens)
300 {
301    uint level = 0;
302
303    bool quoted = false, escaped = false;
304    char * start = string, ch;
305
306    for(; (ch = *string); string++)
307    {
308       if(!start)
309          start = string;
310
311       if(quoted)
312       {
313          if(escaped || ch != '\"')
314             escaped = !escaped && ch == '\\';
315          else
316             quoted = false;
317       }
318       else if(ch == '\"')
319          quoted = true;
320       else if(ch == '{' || ch == '[' || ch == '(' || ch == '<')
321          level++;
322       else if(ch == '}' || ch == ']' || ch == ')' || ch == '>')
323          level--;
324       else if(ch == seperator && !level)
325       {
326          tokens.Add(start);
327          *string = '\0';
328          start = null;
329       }
330    }
331    if(start)
332    {
333       //tokens[count] = start;
334       //tokens[count++] = start;
335       tokens.Add(start);
336       *string = '\0';
337    }
338    return tokens.count;
339 }
340
341 static bool TokenizeListItem(char * string, DebugListItem item)
342 {
343    char * equal = strstr(string, "=");
344    if(equal)
345    {
346       item.name = string;
347       *equal = '\0';
348       equal++;
349       item.value = equal;
350       return true;
351    }
352    return false;
353 }
354
355 static bool CheckCommandAvailable(const char * command)
356 {
357    bool available = false;
358    int c, count;
359    char * name = new char[MAX_FILENAME];
360    char * pathVar = new char[maxPathLen];
361    char * paths[128];
362    GetEnvironment("PATH", pathVar, maxPathLen);
363    count = TokenizeWith(pathVar, sizeof(paths) / sizeof(char *), paths, pathListSep, false);
364    strcpy(name, command);
365 #ifdef __WIN32__
366    {
367       int e;
368       const char * extensions[] = { "exe", "com", "bat", null };
369       for(e=0; extensions[e]; e++)
370       {
371          ChangeExtension(name, extensions[e], name);
372 #endif
373          for(c=0; c<count; c++)
374          {
375             FileListing fl { paths[c] };
376             while(fl.Find())
377             {
378                if(fl.stats.attribs.isFile && !fstrcmp(fl.name, name))
379                {
380                   available = true;
381                   fl.Stop();
382                   break;
383                }
384             }
385             if(available) break;
386          }
387 #ifdef __WIN32__
388          if(available) break;
389       }
390    }
391 #endif
392    delete name;
393    delete pathVar;
394    return available;
395 }
396
397 // define GdbGetLineSize = 1638400;
398 define GdbGetLineSize = 5638400;
399 #if defined(__unix__)
400 char progFifoPath[MAX_LOCATION];
401 char progFifoDir[MAX_LOCATION];
402 #endif
403
404 enum DebuggerState { none, prompt, loaded, running, stopped, terminated, error };
405 enum DebuggerEvent
406 {
407    none, hit, breakEvent, signal, stepEnd, functionEnd, exit, valgrindStartPause, locationReached;
408
409    property bool canBeMonitored { get { return (this == hit || this == breakEvent || this == signal || this == stepEnd || this == functionEnd || this == locationReached); } };
410 };
411 enum DebuggerAction { none, internal, restart, stop, selectFrame, advance }; //, bpValidation
412 enum DebuggerReason
413 {
414    unknown, endSteppingRange, functionFinished, signalReceived, breakpointHit, locationReached
415    //watchpointTrigger, readWatchpointTrigger, accessWatchpointTrigger, watchpointScope,
416    //exited, exitedNormally, exitedSignalled;
417 };
418 enum BreakpointType
419 {
420    none, internalMain, internalWinMain, internalModulesLoaded, user, runToCursor, internalModuleLoad, internalEntry;
421
422    property bool isInternal { get { return (this == internalMain || this == internalWinMain || this == internalModulesLoaded || this == internalModuleLoad || this == internalEntry); } };
423    property bool isUser { get { return (this == user || this == runToCursor); } };
424 };
425 enum DebuggerEvaluationError { none, symbolNotFound, memoryCantBeRead, unknown };
426 enum DebuggerUserAction
427 {
428    none, start, resume, _break, stop, restart, selectThread, selectFrame, stepInto, stepOver, stepUntil, stepOut, runToCursor;
429    property bool breaksOnInternalBreakpoint { get { return (this == stepInto || this == stepOver || this == stepUntil); } };
430 };
431 enum GdbExecution
432 {
433    none, run, _continue, next, until, advance, step, finish;
434    property bool suspendInternalBreakpoints { get { return (this == until || this == advance || this == step || this == finish); } };
435 };
436
437 FileDialog debuggerFileDialog { type = selectDir };
438
439 static DualPipe vgTargetHandle;
440 static File vgLogFile;
441 static char vgLogPath[MAX_LOCATION];
442 static DualPipe gdbHandle;
443 static DebugEvaluationData eval { };
444
445 static int targetProcessId;
446
447 static bool gdbReady;
448 static bool breakpointError;
449
450 class Debugger
451 {
452    Semaphore serialSemaphore { };
453    bool waitingForPID;
454    bool targeted;
455    bool symbols;
456    bool modules;
457    bool sentKill;
458    bool sentBreakInsert;
459    bool ignoreBreakpoints;
460    bool signalOn;
461    bool needReset;
462    bool usingValgrind;
463
464    int ideProcessId;
465    int gdbProcessId;
466
467    int activeFrameLevel;
468    int activeThread;
469    int hitThread;
470    int signalThread;
471    int frameCount;
472
473    char * targetDir;
474    char * targetFile;
475
476    GdbExecution gdbExecution;
477    DebuggerUserAction userAction;
478    DebuggerState state;
479    DebuggerEvent event;
480    DebuggerAction breakType;
481    char * breakString;
482    //DebuggerCommand lastCommand;    // THE COMPILER COMPILES STUFF THAT DOES NOT EXIST???
483
484    GdbDataStop stopItem;
485    GdbDataBreakpoint bpItem;
486    Frame activeFrame;
487
488    List<Breakpoint> sysBPs { };
489    Breakpoint bpRunToCursor;
490    Breakpoint intBpEntry;
491    Breakpoint intBpMain;
492    Breakpoint intBpWinMain;
493
494    OldList stackFrames;
495
496    CompilerConfig currentCompiler;
497    ProjectConfig prjConfig;
498    int bitDepth;
499
500    CodeEditor codeEditor;
501
502    ValgrindLogThread vgLogThread { debugger = this };
503    ValgrindTargetThread vgTargetThread { debugger = this };
504    GdbThread gdbThread { debugger = this };
505
506    bool entryPoint;
507    Map<String, bool> projectsLibraryLoaded { };
508
509    Timer gdbTimer
510    {
511       delay = 0.0, userData = this;
512
513       bool DelayExpired()
514       {
515          bool monitor = false;
516          DebuggerEvent curEvent = event;
517          GdbDataStop stopItem = this.stopItem;
518          Breakpoint bpUser = null;
519          Breakpoint bpInternal = null;
520
521          if(!gdbReady)
522             return false;
523
524          event = none;
525          if(this.stopItem)
526          {
527             this.stopItem = null;
528 #ifdef _DEBUG_INST
529             {
530                char * s = null;
531                DynamicString bpReport { };
532
533                for(bp : sysBPs; bp.inserted)
534                {
535                   bpReport.concatx(",", bp.type, "(", s=bp.CopyLocationString(false), ")");
536                   delete s;
537                }
538                if(bpRunToCursor && bpRunToCursor.inserted)
539                {
540                   Breakpoint bp = bpRunToCursor;
541                   bpReport.concatx(",", bp.type, "(", s=bp.CopyLocationString(false), ")");
542                   delete s;
543                }
544                for(bp : ide.workspace.breakpoints; bp.inserted)
545                {
546                   bpReport.concatx(",", bp.type, "(", s=bp.CopyLocationString(false), ")");
547                   delete s;
548                }
549                s = bpReport;
550                _dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "gdbTimer::DelayExpired: ", s+1);
551
552                if(stopItem.bkptno)
553                {
554                   bool isInternal;
555                   Breakpoint bp = GetBreakpointById(stopItem.bkptno, &isInternal);
556                   if(bp)
557                   {
558                      _dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "gdb stopped by a breakpoint: ", bp.type, "(", s=bp.CopyLocationString(false), ")");
559                      delete s;
560                   }
561                }
562                delete bpReport;
563             }
564 #endif
565          }
566 #ifdef _DEBUG_INST
567          else
568          {
569             if(curEvent && curEvent != exit)
570             {
571                _dpl(0, "No stop item");
572             }
573          }
574 #endif
575          switch(breakType)
576          {
577             case restart:
578                breakType = none;
579                Restart(currentCompiler, prjConfig, bitDepth, usingValgrind);
580                break;
581             case stop:
582                breakType = none;
583                Stop();
584                break;
585             case selectFrame:
586             {
587                breakType = none;
588                GdbCommand(0, false, "-stack-select-frame %d", activeFrameLevel);
589                for(activeFrame = stackFrames.first; activeFrame; activeFrame = activeFrame.next)
590                   if(activeFrame.level == activeFrameLevel)
591                      break;
592                break;
593             }
594             //case bpValidation:
595             //   breakType = none;
596             //   GdbCommand(0, false, "-break-info %s", bpItem.number);
597             //   break;
598          }
599
600          if(curEvent == none)
601             return false;
602
603          switch(curEvent)
604          {
605             case hit:
606                {
607                   bool isInternal;
608                   Breakpoint bp = stopItem ? GetBreakpointById(stopItem.bkptno, &isInternal) : null;
609                   if(bp && bp.inserted && bp.bp.addr)
610                   {
611                      if(bp.type.isInternal)
612                         bpInternal = bp;
613                      else
614                         bpUser = bp;
615                      if(stopItem && stopItem.frame)
616                      {
617                         if(bpInternal && bpRunToCursor && bpRunToCursor.inserted && !strcmp(bpRunToCursor.bp.addr, bp.bp.addr))
618                            bpUser = bpRunToCursor;
619                         else
620                         {
621                            for(item : (bpInternal ? ide.workspace.breakpoints : sysBPs); item.inserted)
622                            {
623                               if(item.bp && item.bp.addr && !strcmp(item.bp.addr, bp.bp.addr))
624                               {
625                                  if(bpInternal)
626                                     bpUser = item;
627                                  else
628                                     bpInternal = item;
629                                  break;
630                               }
631                            }
632                         }
633                      }
634                      else
635                         _dpl2(_dpct, dplchan::debuggerProblem, 0, "Invalid stopItem!");
636                      if(bpUser && stopItem.frame.addr && strcmp(stopItem.frame.addr, bpUser.bp.addr))
637                         _dpl2(_dpct, dplchan::debuggerProblem, 0, "Breakpoint bkptno(", stopItem.bkptno, ") address missmatch!");
638                   }
639                   else
640                      _dpl2(_dpct, dplchan::debuggerProblem, 0, "Breakpoint bkptno(", stopItem.bkptno, ") invalid or not found!");
641                   if((bpUser && !ignoreBreakpoints) || (bpInternal && userAction.breaksOnInternalBreakpoint))
642                      monitor = true;
643                   hitThread = stopItem.threadid;
644                }
645                break;
646             case signal:
647                signalThread = stopItem.threadid;
648             case breakEvent:
649             case stepEnd:
650             case functionEnd:
651             case locationReached:
652                monitor = true;
653                ignoreBreakpoints = false;
654                break;
655             case valgrindStartPause:
656                GdbExecContinue(true);
657                monitor = false;
658                break;
659             case exit:
660                HideDebuggerViews();
661                break;
662          }
663
664          if(curEvent == signal)
665          {
666             char * s = null;
667             signalOn = true;
668             ide.outputView.debugBox.Logf($"Signal received: %s - %s\n", stopItem.name, stopItem.meaning);
669             ide.outputView.debugBox.Logf("    %s:%d\n", (s = CopySystemPath(stopItem.frame.file)), stopItem.frame.line);
670             ide.outputView.Show();
671             ide.callStackView.Show();
672             delete s;
673          }
674          else if(curEvent == breakEvent)
675          {
676             ide.threadsView.Show();
677             ide.callStackView.Show();
678             ide.callStackView.Activate();
679          }
680          else if(curEvent == hit)
681          {
682             if(BreakpointHit(stopItem, bpInternal, bpUser))
683             {
684                ide.AdjustDebugMenus();
685                if(bpUser && bpUser.type == runToCursor)
686                {
687                   ignoreBreakpoints = false;
688                   UnsetBreakpoint(bpUser);
689                   delete bpRunToCursor;
690                }
691             }
692             else
693             {
694                if(breakType == advance && bpInternal && (bpInternal.type == internalMain || bpInternal.type == internalEntry))
695                {
696                   breakType = none;
697                   GdbExecAdvance(breakString, 0);
698                   delete breakString;
699                }
700                else
701                {
702                   GdbExecContinue(false);
703                   monitor = false;
704                }
705             }
706          }
707
708          if(monitor && curEvent.canBeMonitored)
709          {
710             GdbGetStack();
711             activeThread = stopItem.threadid;
712             GdbCommand(0, false, "-thread-list-ids");
713             InternalSelectFrame(activeFrameLevel);
714             GoToStackFrameLine(activeFrameLevel, true, false);
715             EvaluateWatches();
716             ide.ShowCodeEditor();
717             ide.AdjustDebugMenus();
718             ideMainFrame.Activate();   // TOFIX: ide.Activate() is not reliable (app inactive)
719             ide.Update(null);
720          }
721
722          if(stopItem)
723          {
724             stopItem.Free();
725             delete stopItem;
726          }
727          return false;
728       }
729    };
730
731 #ifdef GDB_DEBUG_CONSOLE
732    char lastGdbOutput[GdbGetLineSize];
733 #endif
734 #if defined(__unix__)
735    ProgramThread progThread { };
736 #endif
737
738 #ifdef _DEBUG_INST
739 #define _ChangeUserAction(value) ChangeUserAction(__FILE__, __LINE__, value)
740    void ChangeUserAction(char * file, int line, DebuggerUserAction value)
741    {
742       bool same = value == userAction;
743       __dpl2(file, line, _dpct, dplchan::debuggerUserAction, 0, userAction, /*same ? " *** == *** " : */" -> ", value);
744       userAction = value;
745    }
746 #else
747 #define _ChangeUserAction(value) userAction = value
748 #endif
749
750 #ifdef _DEBUG_INST
751 #define _ChangeState(value) ChangeState(__FILE__, __LINE__, value)
752    void ChangeState(char * file, int line, DebuggerState value)
753 #else
754 #define _ChangeState(value) ChangeState(value)
755    void ChangeState(DebuggerState value)
756 #endif
757    {
758       bool same = value == state;
759 #ifdef _DEBUG_INST
760       __dpl2(file, line, _dpct, dplchan::debuggerState, 0, state, same ? " *** == *** " : " -> ", value);
761 #endif
762       state = value;
763       if(!same) ide.AdjustDebugMenus();
764    }
765
766    void CleanUp()
767    {
768       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::CleanUp");
769
770       stackFrames.Free(Frame::Free);
771
772       delete targetDir;
773       delete targetFile;
774
775       ClearBreakDisplay();
776
777       // Clear Stuff up
778       gdbProcessId = 0;
779
780       waitingForPID = false;
781       targeted = false;
782       symbols = false;
783       modules = false;
784       sentKill = false;
785       sentBreakInsert = false;
786       ignoreBreakpoints = false;
787       signalOn = false;
788
789       activeFrameLevel = 0;
790       activeThread = 0;
791       hitThread = 0;
792       signalThread = 0;
793       frameCount = 0;
794
795       targetDir = null;
796       targetFile = null;
797
798       _ChangeState(none);
799       event = none;
800       breakType = none;
801
802       delete stopItem;
803       delete bpItem;
804       activeFrame = 0;
805
806       bpRunToCursor = null;
807
808       delete currentCompiler;
809       prjConfig = null;
810
811       WatchesReleaseCodeEditor();
812
813       entryPoint = false;
814       projectsLibraryLoaded.Free();
815
816       /*GdbThread gdbThread
817       Timer gdbTimer*/
818    }
819
820    Debugger()
821    {
822       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::constructor");
823       ideProcessId = Process_GetCurrentProcessId();
824
825       sysBPs.Add((intBpEntry = Breakpoint { type = internalEntry, enabled = false, level = -1 }));
826       sysBPs.Add((intBpMain = Breakpoint { type = internalMain, function = "main", enabled = true, level = -1 }));
827 #if defined(__WIN32__)
828       sysBPs.Add((intBpWinMain = Breakpoint { type = internalWinMain, function = "WinMain", enabled = true, level = -1 }));
829 #endif
830       sysBPs.Add(Breakpoint { type = internalModulesLoaded, enabled = true, level = -1 });
831       sysBPs.Add(Breakpoint { type = internalModuleLoad, function = "InternalModuleLoadBreakpoint", enabled = true, level = -1 });
832    }
833
834    ~Debugger()
835    {
836       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::destructor");
837       sysBPs.Free();
838       Stop();
839       CleanUp();
840    }
841
842    // PUBLIC MEMBERS
843
844    property bool isActive { get { return state == running || state == stopped; } }
845    property bool isPrepared  { get { return state == loaded || state == running || state == stopped; } }
846
847    void Resume()
848    {
849       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::Resume");
850       _ChangeUserAction(resume);
851       GdbExecContinue(true);
852    }
853
854    void Break()
855    {
856       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::Break");
857       _ChangeUserAction(_break);
858       if(state == running)
859       {
860          if(targetProcessId)
861             GdbDebugBreak(false);
862       }
863    }
864
865    void Stop()
866    {
867       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::Stop");
868       _ChangeUserAction(stop);
869       switch(state)
870       {
871          case running:
872             if(targetProcessId)
873             {
874                breakType = stop;
875                GdbDebugBreak(false);
876             }
877             break;
878          case stopped:
879             GdbAbortExec();
880             HideDebuggerViews();
881             GdbExit();
882             break;
883          case loaded:
884             GdbExit();
885             break;
886       }
887    }
888
889    void Restart(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind)
890    {
891       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::Restart");
892       _ChangeUserAction(restart);
893       if(StartSession(compiler, config, bitDepth, useValgrind, true, false) == loaded)
894          GdbExecRun();
895    }
896
897    bool GoToCodeLine(char * location)
898    {
899       CodeLocation codloc;
900       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GoToCodeLine(", location, ")");
901       codloc = CodeLocation::ParseCodeLocation(location);
902       if(codloc)
903       {
904          CodeEditor editor = (CodeEditor)ide.OpenFile(codloc.absoluteFile, false, true, null, no, normal, false);
905          if(editor)
906          {
907             EditBox editBox = editor.editBox;
908             if(editBox.GoToLineNum(codloc.line - 1))
909                editBox.GoToPosition(editBox.line, codloc.line - 1, 0);
910             return true;
911          }
912       }
913       return false;
914    }
915
916    bool GoToStackFrameLine(int stackLevel, bool askForLocation, bool fromCallStack)
917    {
918       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GoToStackFrameLine(", stackLevel, ", ", askForLocation, ")");
919       if(ide)
920       {
921          char filePath[MAX_LOCATION];
922          char sourceDir[MAX_LOCATION];
923          Frame frame;
924          CodeEditor editor = null;
925          if(stackLevel == -1)  // this (the two lines) is part of that fix that I would not put in for some time
926             return false;
927          for(frame = stackFrames.first; frame; frame = frame.next)
928             if(frame.level == stackLevel)
929                break;
930          if(frame)
931          {
932             if(!fromCallStack)
933                ide.callStackView.Show();
934
935             if(frame.absoluteFile)
936                editor = (CodeEditor)ide.OpenFile(frame.absoluteFile, false, true, null, no, normal, false);
937             if(!editor && frame.file)
938                frame.absoluteFile = ide.workspace.GetAbsolutePathFromRelative(frame.file);
939             if(!frame.absoluteFile && askForLocation && frame.file)
940             {
941                char * s = null;
942                char title[MAX_LOCATION];
943                snprintf(title, sizeof(title), $"Provide source file location for %s", (s = CopySystemPath(frame.file)));
944                title[sizeof(title)-1] = 0;
945                delete s;
946                if(SourceDirDialog(title, ide.workspace.projectDir, frame.file, sourceDir))
947                {
948                   AddSourceDir(sourceDir);
949                   frame.absoluteFile = ide.workspace.GetAbsolutePathFromRelative(frame.file);
950                }
951             }
952             if(!editor && frame.absoluteFile)
953                editor = (CodeEditor)ide.OpenFile(frame.absoluteFile, false, true, null, no, normal, false);
954             if(editor)
955                ide.RepositionWindows(false);
956             ide.Update(null);
957             if(editor && frame.line)
958             {
959                EditBox editBox = editor.editBox;
960                editBox.GoToLineNum(frame.line - 1);
961                editBox.GoToPosition(editBox.line, frame.line - 1, 0);
962                return true;
963             }
964          }
965       }
966       return false;
967    }
968
969    void SelectThread(int thread)
970    {
971       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::SelectThread(", thread, ")");
972       _ChangeUserAction(selectThread);
973       if(state == stopped)
974       {
975          if(thread != activeThread)
976          {
977             activeFrameLevel = -1;
978             ide.callStackView.Clear();
979             GdbCommand(0, false, "-thread-select %d", thread);
980             GdbGetStack();
981             InternalSelectFrame(activeFrameLevel);
982             GoToStackFrameLine(activeFrameLevel, true, false);
983             EvaluateWatches();
984             ide.Update(null);
985          }
986          ide.callStackView.Show();
987       }
988    }
989
990    void SelectFrame(int frame)
991    {
992       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::SelectFrame(", frame, ")");
993       _ChangeUserAction(selectFrame);
994       if(state == stopped)
995       {
996          if(frame != activeFrameLevel)
997          {
998             InternalSelectFrame(frame);
999             EvaluateWatches();
1000             ide.Update(null);
1001          }
1002       }
1003    }
1004
1005    void InternalSelectFrame(int frame)
1006    {
1007       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::InternalSelectFrame(", frame, ")");
1008       activeFrameLevel = frame;  // there is no active frame number in the gdb reply
1009       GdbCommand(0, false, "-stack-select-frame %d", activeFrameLevel);
1010       for(activeFrame = stackFrames.first; activeFrame; activeFrame = activeFrame.next)
1011          if(activeFrame.level == activeFrameLevel)
1012             break;
1013    }
1014
1015    void HandleExit(char * reason, char * code)
1016    {
1017       bool returnedExitCode = false;
1018       char verboseExitCode[128];
1019
1020       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::HandleExit(", reason, ", ", code, ")");
1021       _ChangeState(loaded); // this state change seems to be superfluous, might be in case of gdb crash
1022       targetProcessId = 0;
1023
1024       if(code)
1025       {
1026          snprintf(verboseExitCode, sizeof(verboseExitCode), $" with exit code %s", code);
1027          verboseExitCode[sizeof(verboseExitCode)-1] = 0;
1028       }
1029       else
1030          verboseExitCode[0] = '\0';
1031
1032       event = exit;
1033
1034       // ClearBreakDisplay();
1035
1036       if(ide.workspace)
1037       {
1038          for(wh : ide.workspace.watches)
1039          {
1040             if(wh.type) FreeType(wh.type);
1041             wh.type = null;
1042             delete wh.value;
1043             ide.watchesView.UpdateWatch(wh);
1044          }
1045       }
1046
1047 #if defined(__unix__)
1048       if(!usingValgrind)
1049       {
1050          progThread.terminate = true;
1051          if(fifoFile)
1052          {
1053             fifoFile.CloseInput();
1054             app.Unlock();
1055             progThread.Wait();
1056             app.Lock();
1057             delete fifoFile;
1058          }
1059       }
1060 #endif
1061
1062       {
1063          char program[MAX_LOCATION];
1064          GetSystemPathBuffer(program, targetFile);
1065          if(!reason)
1066             ide.outputView.debugBox.Logf($"The program %s has exited%s.\n", program, verboseExitCode);
1067          else if(!strcmp(reason, "exited-normally"))
1068             ide.outputView.debugBox.Logf($"The program %s has exited normally%s.\n", program, verboseExitCode);
1069          else if(!strcmp(reason, "exited"))
1070             ide.outputView.debugBox.Logf($"The program %s has exited%s.\n", program, verboseExitCode);
1071          else if(!strcmp(reason, "exited-signalled"))
1072             ide.outputView.debugBox.Logf($"The program %s has exited with a signal%s.\n", program, verboseExitCode);
1073          else
1074             ide.outputView.debugBox.Logf($"The program %s has exited (gdb provided an unknown reason)%s.\n", program, verboseExitCode);
1075       }
1076       ide.Update(null);
1077    }
1078
1079    DebuggerState StartSession(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind, bool restart, bool ignoreBreakpoints)
1080    {
1081       DebuggerState result = none;
1082       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::StartSession(restart(", restart, "), ignoreBreakpoints(", ignoreBreakpoints, ")");
1083       if(restart && state == running && targetProcessId)
1084       {
1085          breakType = DebuggerAction::restart;
1086          GdbDebugBreak(false);
1087       }
1088       else
1089       {
1090          if(restart && state == stopped)
1091             GdbAbortExec();
1092          if(needReset && state == loaded)
1093             GdbExit(); // this reset is to get a clean state with all the breakpoints until a better state can be maintained on program exit
1094          result = state;
1095          if(result == none || result == terminated)
1096          {
1097             ide.outputView.ShowClearSelectTab(debug);
1098             ide.outputView.debugBox.Logf($"Starting debug mode\n");
1099
1100             for(bp : sysBPs)
1101             {
1102                bp.hits = 0;
1103                bp.breaks = 0;
1104             }
1105             for(bp : ide.workspace.breakpoints)
1106             {
1107                bp.hits = 0;
1108                bp.breaks = 0;
1109             }
1110
1111             if(GdbInit(compiler, config, bitDepth, useValgrind))
1112                result = state;
1113             else
1114                result = error;
1115          }
1116          this.ignoreBreakpoints = ignoreBreakpoints;
1117       }
1118       return result;
1119    }
1120
1121    void Start(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind)
1122    {
1123       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::Start()");
1124       _ChangeUserAction(start);
1125       if(StartSession(compiler, config, bitDepth, useValgrind, true, false) == loaded)
1126          GdbExecRun();
1127    }
1128
1129    void StepInto(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind)
1130    {
1131       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::StepInto()");
1132       _ChangeUserAction(stepInto);
1133       switch(StartSession(compiler, config, bitDepth, useValgrind, false, false))
1134       {
1135          case loaded:  GdbExecRun();  break;
1136          case stopped: GdbExecStep(); break;
1137       }
1138    }
1139
1140    void StepOver(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind, bool ignoreBreakpoints)
1141    {
1142       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::StepOver()");
1143       _ChangeUserAction(stepOver);
1144       switch(StartSession(compiler, config, bitDepth, useValgrind, false, ignoreBreakpoints))
1145       {
1146          case loaded:  GdbExecRun();  break;
1147          case stopped: GdbExecNext(); break;
1148       }
1149    }
1150
1151    void StepUntil(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind, bool ignoreBreakpoints)
1152    {
1153       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::StepUntil()");
1154       _ChangeUserAction(stepUntil);
1155       switch(StartSession(compiler, config, bitDepth, useValgrind, false, ignoreBreakpoints))
1156       {
1157          case loaded:  GdbExecRun();          break;
1158          case stopped: GdbExecUntil(null, 0); break;
1159       }
1160    }
1161
1162    void StepOut(bool ignoreBreakpoints)
1163    {
1164       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::StepOut()");
1165       _ChangeUserAction(stepOut);
1166       if(state == stopped)
1167       {
1168          this.ignoreBreakpoints = ignoreBreakpoints;
1169          if(frameCount > 1)
1170             GdbExecFinish();
1171          else
1172             GdbExecContinue(true);
1173       }
1174    }
1175
1176    void RunToCursor(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind, char * absoluteFilePath, int lineNumber, bool ignoreBreakpoints, bool atSameLevel, bool oldImplementation)
1177    {
1178       char relativeFilePath[MAX_LOCATION];
1179       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::RunToCursor()");
1180       _ChangeUserAction(runToCursor);
1181       WorkspaceGetRelativePath(absoluteFilePath, relativeFilePath, null);
1182
1183       if(bpRunToCursor && bpRunToCursor.inserted && symbols)
1184       {
1185          UnsetBreakpoint(bpRunToCursor);
1186          delete bpRunToCursor;
1187       }
1188
1189       StartSession(compiler, config, bitDepth, useValgrind, false, ignoreBreakpoints);
1190
1191 #if 0
1192       if(oldImplementation)
1193       {
1194          bpRunToCursor = Breakpoint { };
1195          bpRunToCursor.absoluteFilePath = absoluteFilePath;
1196          bpRunToCursor.relativeFilePath = relativeFilePath;
1197          bpRunToCursor.line = lineNumber;
1198          bpRunToCursor.type = runToCursor;
1199          bpRunToCursor.enabled = true;
1200          bpRunToCursor.level = atSameLevel ? frameCount - activeFrameLevel -1 : -1;
1201       }
1202 #endif
1203       if(state == loaded)
1204       {
1205          breakType = advance;
1206          breakString = PrintString(relativeFilePath, ":", lineNumber);
1207          GdbExecRun();
1208       }
1209       else if(state == stopped)
1210       {
1211          if(oldImplementation)
1212             GdbExecContinue(true);
1213          else
1214          {
1215             if(atSameLevel)
1216                GdbExecUntil(absoluteFilePath, lineNumber);
1217             else
1218                GdbExecAdvance(absoluteFilePath, lineNumber);
1219          }
1220       }
1221    }
1222
1223    void GetCallStackCursorLine(bool * error, int * lineCursor, int * lineTopFrame)
1224    {
1225       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GetCallStackCursorLine()");
1226       if(activeFrameLevel == -1)
1227       {
1228          *error = false;
1229          *lineCursor = 0;
1230          *lineTopFrame = 0;
1231       }
1232       else
1233       {
1234          *error = signalOn && activeThread == signalThread;
1235          *lineCursor = activeFrameLevel - ((frameCount > 192 && activeFrameLevel > 191) ? frameCount - 192 - 1 : 0) + 1;
1236          *lineTopFrame = activeFrameLevel ? 1 : 0;
1237       }
1238    }
1239
1240    int GetMarginIconsLineNumbers(char * fileName, int lines[], bool enabled[], int max, bool * error, int * lineCursor, int * lineTopFrame)
1241    {
1242       char winFilePath[MAX_LOCATION];
1243       char * absoluteFilePath = GetSlashPathBuffer(winFilePath, fileName);
1244       int count = 0;
1245       Iterator<Breakpoint> it { ide.workspace.breakpoints };
1246       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GetMarginIconsLineNumbers()");
1247       while(it.Next() && count < max)
1248       {
1249          Breakpoint bp = it.data;
1250          if(bp.type == user)
1251          {
1252             if(bp.absoluteFilePath && bp.absoluteFilePath[0] && !fstrcmp(bp.absoluteFilePath, absoluteFilePath))
1253             {
1254                lines[count] = bp.line;
1255                enabled[count] = bp.enabled;
1256                count++;
1257             }
1258          }
1259       }
1260       if(activeFrameLevel == -1)
1261       {
1262          *error = false;
1263          *lineCursor = 0;
1264          *lineTopFrame = 0;
1265       }
1266       else
1267       {
1268          *error = signalOn && activeThread == signalThread;
1269          if(activeFrame && activeFrame.absoluteFile && !fstrcmp(absoluteFilePath, activeFrame.absoluteFile))
1270             *lineCursor = activeFrame.line;
1271          else
1272             *lineCursor = 0;
1273          if(activeFrame && stopItem && stopItem.frame && activeFrame.level == stopItem.frame.level)
1274             *lineTopFrame = 0;
1275          else if(stopItem && stopItem.frame && stopItem.frame.absoluteFile && !fstrcmp(absoluteFilePath, stopItem.frame.absoluteFile))
1276             *lineTopFrame = stopItem.frame.line;
1277          else
1278             *lineTopFrame = 0;
1279
1280          if(*lineTopFrame == *lineCursor && *lineTopFrame)
1281             *lineTopFrame = 0;
1282       }
1283       return count;
1284    }
1285
1286    void ChangeWatch(DataRow row, char * expression)
1287    {
1288       Watch wh = (Watch)row.tag;
1289       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ChangeWatch(", expression, ")");
1290       if(wh)
1291       {
1292          delete wh.expression;
1293          if(expression)
1294             wh.expression = CopyString(expression);
1295          else
1296          {
1297             Iterator<Watch> it { ide.workspace.watches };
1298             if(it.Find(wh))
1299                ide.workspace.watches.Delete(it.pointer);
1300          }
1301       }
1302       else if(expression)
1303       {
1304          wh = Watch { };
1305          row.tag = (int64)wh;
1306          ide.workspace.watches.Add(wh);
1307          wh.row = row;
1308          wh.expression = CopyString(expression);
1309       }
1310       ide.workspace.Save();
1311       //if(expression && state == stopped)
1312       if(expression)
1313          ResolveWatch(wh);
1314    }
1315
1316    void MoveIcons(char * fileName, int lineNumber, int move, bool start)
1317    {
1318       char winFilePath[MAX_LOCATION];
1319       char * absoluteFilePath = GetSlashPathBuffer(winFilePath, fileName);
1320
1321       Link bpLink, next;
1322       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::MoveIcons()");
1323       for(bpLink = ide.workspace.breakpoints.first; bpLink; bpLink = next)
1324       {
1325          Breakpoint bp = (Breakpoint)bpLink.data;
1326          next = bpLink.next;
1327
1328          if(bp.type == user && bp.absoluteFilePath && !fstrcmp(bp.absoluteFilePath, absoluteFilePath))
1329          {
1330             if(bp.line > lineNumber || (bp.line == lineNumber && start))
1331             {
1332                if(move < 0 && (bp.line < lineNumber - move))
1333                   ide.workspace.RemoveBreakpoint(bp);
1334                else
1335                {
1336                   bp.line += move;
1337                   ide.breakpointsView.UpdateBreakpoint(bp.row);
1338                   ide.workspace.Save();
1339                }
1340             }
1341          }
1342       }
1343
1344       // moving code cursors is futile, on next step, stop, hit, cursors will be offset anyways
1345    }
1346
1347    bool SourceDirDialog(char * title, char * startDir, char * test, char * sourceDir)
1348    {
1349       bool result;
1350       bool retry;
1351       String srcDir = null;
1352
1353       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::SourceDirDialog()");
1354       debuggerFileDialog.text = title;
1355       debuggerFileDialog.currentDirectory = startDir;
1356       debuggerFileDialog.master = ide;
1357
1358       while(debuggerFileDialog.Modal())
1359       {
1360          strcpy(sourceDir, debuggerFileDialog.filePath);
1361          if(!fstrcmp(ide.workspace.projectDir, sourceDir) &&
1362                   MessageBox { type = yesNo, master = ide,
1363                               contents = $"This is the project directory.\nWould you like to try again?",
1364                               text = $"Invalid Source Directory" }.Modal() == no)
1365             return false;
1366          else
1367          {
1368             for(dir : ide.workspace.sourceDirs)
1369             {
1370                if(!fstrcmp(dir, sourceDir))
1371                {
1372                   srcDir = dir;
1373                   break;
1374                }
1375             }
1376
1377             if(srcDir &&
1378                   MessageBox { type = yesNo, master = ide,
1379                               contents = $"This source directory is already specified.\nWould you like to try again?",
1380                               text = $"Invalid Source Directory" }.Modal() == no)
1381                return false;
1382             else
1383             {
1384                if(test)
1385                {
1386                   char file[MAX_LOCATION];
1387                   strcpy(file, sourceDir);
1388                   PathCat(file, test);
1389                   result = FileExists(file);
1390                   if(!result &&
1391                         MessageBox { type = yesNo, master = ide,
1392                                     contents = $"Unable to locate source file.\nWould you like to try again?",
1393                                     text = $"Invalid Source Directory" }.Modal() == no)
1394                         return false;
1395                }
1396                else
1397                   result = true;
1398
1399                if(result)
1400                   return true;
1401             }
1402          }
1403       }
1404       return false;
1405    }
1406
1407    void AddSourceDir(char * sourceDir)
1408    {
1409       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::AddSourceDir(", sourceDir, ")");
1410       ide.workspace.sourceDirs.Add(CopyString(sourceDir));
1411       ide.workspace.Save();
1412
1413       if(targeted)
1414       {
1415          DebuggerState oldState = state;
1416          switch(state)
1417          {
1418             case running:
1419                if(targetProcessId)
1420                   GdbDebugBreak(true);
1421             case stopped:
1422             case loaded:
1423                GdbCommand(0, false, "-environment-directory \"%s\"", sourceDir);
1424                break;
1425          }
1426          if(oldState == running)
1427             GdbExecContinue(false);
1428       }
1429    }
1430
1431    void ToggleBreakpoint(char * fileName, int lineNumber)
1432    {
1433       char absolutePath[MAX_LOCATION];
1434       Breakpoint bp = null;
1435
1436       _dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "Debugger::ToggleBreakpoint(", fileName, ":", lineNumber, ")");
1437
1438       GetSlashPathBuffer(absolutePath, fileName);
1439       for(i : ide.workspace.breakpoints; i.type == user && i.absoluteFilePath && !fstrcmp(i.absoluteFilePath, absolutePath) && i.line == lineNumber)
1440       {
1441          bp = i;
1442          break;
1443       }
1444       if(bp)
1445       {
1446          if(bp.enabled)
1447          {
1448             ide.workspace.RemoveBreakpoint(bp);
1449             bp = null;
1450          }
1451          else
1452             bp.enabled = true;
1453       }
1454       else
1455       {
1456          Project owner;
1457          char relativePath[MAX_LOCATION];
1458
1459          WorkspaceGetRelativePath(absolutePath, relativePath, &owner);
1460
1461          if(!owner && !FileExists(absolutePath))
1462          {
1463             char title[MAX_LOCATION];
1464             char directory[MAX_LOCATION];
1465             char sourceDir[MAX_LOCATION];
1466             StripLastDirectory(absolutePath, directory);
1467             snprintf(title, sizeof(title), $"Provide source files location directory for %s", relativePath);
1468             title[sizeof(title)-1] = 0;
1469             while(true)
1470             {
1471                String srcDir = null;
1472                for(dir : ide.workspace.sourceDirs)
1473                {
1474                   if(IsPathInsideOf(absolutePath, dir))
1475                   {
1476                      MakePathRelative(absolutePath, dir, relativePath);
1477                      srcDir = dir;
1478                      break;
1479                   }
1480                }
1481                if(srcDir)
1482                   break;
1483
1484                if(SourceDirDialog(title, directory, null, sourceDir))
1485                {
1486                   if(IsPathInsideOf(absolutePath, sourceDir))
1487                   {
1488                      AddSourceDir(sourceDir);
1489                      MakePathRelative(absolutePath, sourceDir, relativePath);
1490                      break;
1491                   }
1492                   else if(MessageBox { type = yesNo, master = ide,
1493                                  contents = $"You must provide a valid source directory in order to place a breakpoint in this file.\nWould you like to try again?",
1494                                  text = $"Invalid Source Directory" }.Modal() == no)
1495                      return;
1496                }
1497                else
1498                   return;
1499             }
1500          }
1501          ide.workspace.bpCount++;
1502          bp = { line = lineNumber, type = user, enabled = true, level = -1, project = owner };
1503          ide.workspace.breakpoints.Add(bp);
1504          bp.absoluteFilePath = absolutePath;
1505          bp.relativeFilePath = relativePath;
1506          ide.breakpointsView.AddBreakpoint(bp);
1507       }
1508
1509       if(bp && targeted)
1510       {
1511          DebuggerState oldState = state;
1512          switch(state)
1513          {
1514             case running:
1515                if(targetProcessId)
1516                   GdbDebugBreak(true);
1517             case stopped:
1518             case loaded:
1519                if(!SetBreakpoint(bp, false))
1520                   SetBreakpoint(bp, true);
1521                break;
1522          }
1523          if(oldState == running)
1524             GdbExecContinue(false);
1525       }
1526
1527       ide.workspace.Save();
1528    }
1529
1530    void UpdateRemovedBreakpoint(Breakpoint bp)
1531    {
1532       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::UpdateRemovedBreakpoint()");
1533       if(targeted && bp.inserted)
1534       {
1535          DebuggerState oldState = state;
1536          switch(state)
1537          {
1538             case running:
1539                if(targetProcessId)
1540                   GdbDebugBreak(true);
1541             case stopped:
1542             case loaded:
1543                UnsetBreakpoint(bp);
1544                break;
1545          }
1546          if(oldState == running)
1547             GdbExecContinue(false);
1548       }
1549    }
1550
1551    // PRIVATE MEMBERS
1552
1553    void ParseFrame(Frame frame, char * string)
1554    {
1555       int i, j, k;
1556       Array<char *> frameTokens { minAllocSize = 50 };
1557       Array<char *> argsTokens { minAllocSize = 50 };
1558       Array<char *> argumentTokens { minAllocSize = 50 };
1559       DebugListItem item { };
1560       Argument arg;
1561
1562       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ParseFrame()");
1563       TokenizeList(string, ',', frameTokens);
1564       for(i = 0; i < frameTokens.count; i++)
1565       {
1566          if(TokenizeListItem(frameTokens[i], item))
1567          {
1568             StripQuotes(item.value, item.value);
1569             if(!strcmp(item.name, "level"))
1570                frame.level = atoi(item.value);
1571             else if(!strcmp(item.name, "addr"))
1572                frame.addr = item.value;
1573             else if(!strcmp(item.name, "func"))
1574                frame.func = item.value;
1575             else if(!strcmp(item.name, "args"))
1576             {
1577                if(!strcmp(item.value, "[]"))
1578                   frame.argsCount = 0;
1579                else
1580                {
1581                   item.value = StripBrackets(item.value);
1582                   TokenizeList(item.value, ',', argsTokens);
1583                   for(j = 0; j < argsTokens.count; j++)
1584                   {
1585                      argsTokens[j] = StripCurlies(argsTokens[j]);
1586                      TokenizeList(argsTokens[j], ',', argumentTokens);
1587                      for(k = 0; k < argumentTokens.count; k++)
1588                      {
1589                         arg = Argument { };
1590                         frame.args.Add(arg);
1591                         if(TokenizeListItem(argumentTokens[k], item))
1592                         {
1593                            if(!strcmp(item.name, "name"))
1594                            {
1595                               StripQuotes(item.value, item.value);
1596                               arg.name = item.value;
1597                            }
1598                            else if(!strcmp(item.name, "value"))
1599                            {
1600                               StripQuotes(item.value, item.value);
1601                               arg.val = item.value;
1602                            }
1603                            else
1604                               _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "frame args item (", item.name, "=", item.value, ") is unheard of");
1605                         }
1606                         else
1607                            _dpl(0, "Bad frame args item");
1608                      }
1609                      argumentTokens.RemoveAll();
1610                   }
1611                   frame.argsCount = argsTokens.count;
1612                   argsTokens.RemoveAll();
1613                }
1614             }
1615             else if(!strcmp(item.name, "from"))
1616                frame.from = item.value;
1617             else if(!strcmp(item.name, "file"))
1618                frame.file = item.value;
1619             else if(!strcmp(item.name, "line"))
1620                frame.line = atoi(item.value);
1621             else if(!strcmp(item.name, "fullname"))
1622             {
1623                // GDB 6.3 on OS X is giving "fullname" and "dir", all in absolute, but file name only in 'file'
1624                String path = ide.workspace.GetPathWorkspaceRelativeOrAbsolute(item.value);
1625                if(strcmp(frame.file, path))
1626                   frame.file = path;
1627                delete path;
1628
1629                frame.absoluteFile = item.value; // ide.workspace.GetAbsolutePathFromRelative(frame.file);
1630             }
1631             else
1632                _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "frame member (", item.name, "=", item.value, ") is unheard of");
1633          }
1634          else
1635             _dpl(0, "Bad frame");
1636       }
1637
1638       delete frameTokens;
1639       delete argsTokens;
1640       delete argumentTokens;
1641       delete item;
1642    }
1643
1644    Breakpoint GetBreakpointById(int id, bool * isInternal)
1645    {
1646       Breakpoint bp = null;
1647       //_dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "Debugger::GetBreakpointById(", id, ")");
1648       if(isInternal)
1649          *isInternal = false;
1650       if(id)
1651       {
1652          for(i : sysBPs; i.bp && i.bp.id == id)
1653          {
1654             if(isInternal)
1655                *isInternal = true;
1656             bp = i;
1657             break;
1658          }
1659          if(!bp && bpRunToCursor && bpRunToCursor.bp && bpRunToCursor.bp.id == id)
1660             bp = bpRunToCursor;
1661          if(!bp)
1662          {
1663             for(i : ide.workspace.breakpoints; i.bp && i.bp.id == id)
1664             {
1665                bp = i;
1666                break;
1667             }
1668          }
1669       }
1670       return bp;
1671    }
1672
1673    GdbDataBreakpoint ParseBreakpoint(char * string, Array<char *> outTokens)
1674    {
1675       int i;
1676       GdbDataBreakpoint bp { };
1677       DebugListItem item { };
1678       Array<char *> bpTokens { minAllocSize = 16 };
1679       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ParseBreakpoint()");
1680       string = StripCurlies(string);
1681       TokenizeList(string, ',', bpTokens);
1682       for(i = 0; i < bpTokens.count; i++)
1683       {
1684          if(TokenizeListItem(bpTokens[i], item))
1685          {
1686             StripQuotes(item.value, item.value);
1687             if(!strcmp(item.name, "number"))
1688             {
1689                if(!strchr(item.value, '.'))
1690                   bp.id = atoi(item.value);
1691                bp.number = item.value;
1692             }
1693             else if(!strcmp(item.name, "type"))
1694                bp.type = item.value;
1695             else if(!strcmp(item.name, "disp"))
1696                bp.disp = item.value;
1697             else if(!strcmp(item.name, "enabled"))
1698                bp.enabled = (!strcmpi(item.value, "y"));
1699             else if(!strcmp(item.name, "addr"))
1700             {
1701                if(outTokens && !strcmp(item.value, "<MULTIPLE>"))
1702                {
1703                   int c = 1;
1704                   Array<GdbDataBreakpoint> bpArray = bp.multipleBPs = { };
1705                   while(outTokens.count > ++c)
1706                   {
1707                      GdbDataBreakpoint multBp = ParseBreakpoint(outTokens[c], null);
1708                      bpArray.Add(multBp);
1709                   }
1710                }
1711                else
1712                   bp.addr = item.value;
1713             }
1714             else if(!strcmp(item.name, "func"))
1715                bp.func = item.value;
1716             else if(!strcmp(item.name, "file"))
1717                bp.file = item.value;
1718             else if(!strcmp(item.name, "fullname"))
1719                bp.fullname = item.value;
1720             else if(!strcmp(item.name, "line"))
1721                bp.line = atoi(item.value);
1722             else if(!strcmp(item.name, "at"))
1723                bp.at = item.value;
1724             else if(!strcmp(item.name, "times"))
1725                bp.times = atoi(item.value);
1726             else if(!strcmp(item.name, "original-location") || !strcmp(item.name, "thread-groups"))
1727                _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "breakpoint member (", item.name, "=", item.value, ") is ignored");
1728             else
1729                _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "breakpoint member (", item.name, "=", item.value, ") is unheard of");
1730          }
1731       }
1732       delete bpTokens;
1733       delete item;
1734       return bp;
1735    }
1736
1737    void ShowDebuggerViews()
1738    {
1739       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ShowDebuggerViews()");
1740       ide.outputView.Show();
1741       ide.outputView.SelectTab(debug);
1742       ide.threadsView.Show();
1743       ide.callStackView.Show();
1744       ide.watchesView.Show();
1745       ide.Update(null);
1746    }
1747
1748    void HideDebuggerViews()
1749    {
1750       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::HideDebuggerViews()");
1751       ide.RepositionWindows(true);
1752    }
1753
1754    bool ::GdbCommand(Time timeOut, bool focus, char * format, ...)
1755    {
1756       bool result = false;
1757       if(gdbHandle)
1758       {
1759          Time startTime;
1760          // TODO: Improve this limit
1761          static char string[MAX_F_STRING*4];
1762          va_list args;
1763          va_start(args, format);
1764          vsnprintf(string, sizeof(string), format, args);
1765          string[sizeof(string)-1] = 0;
1766          va_end(args);
1767
1768          gdbReady = false;
1769          ide.debugger.serialSemaphore.TryWait();
1770
1771 #ifdef GDB_DEBUG_CONSOLE
1772          _dpl2(_dpct, dplchan::gdbCommand, 0, string);
1773 #endif
1774 #ifdef GDB_DEBUG_OUTPUT
1775          ide.outputView.gdbBox.Logf("cmd: %s\n", string);
1776 #endif
1777 #ifdef GDB_DEBUG_GUI
1778          if(ide.gdbDialog)
1779             ide.gdbDialog.AddCommand(string);
1780 #endif
1781
1782          strcat(string,"\n");
1783          gdbHandle.Puts(string);
1784
1785          if(focus)
1786             Process_ShowWindows(targetProcessId);
1787
1788          app.Unlock();
1789
1790          if(timeOut)
1791          {
1792             startTime = GetTime();
1793             while(true)
1794             {
1795                if(ide.debugger.serialSemaphore.TryWait())
1796                {
1797                   result = true;
1798                   break;
1799                }
1800                else
1801                {
1802                   if(GetTime() - startTime > timeOut)
1803                      break;
1804                   Sleep(0.01);
1805                }
1806             }
1807          }
1808          else
1809          {
1810             ide.debugger.serialSemaphore.Wait();
1811             result = true;
1812          }
1813
1814          app.Lock();
1815       }
1816       return result;
1817    }
1818
1819    bool ValidateBreakpoint(Breakpoint bp)
1820    {
1821       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ValidateBreakpoint()");
1822       if(modules && bp.line && bp.bp)
1823       {
1824          if(bp.bp.line != bp.line)
1825          {
1826             if(!bp.bp.line)
1827             {
1828 #ifdef _DEBUG
1829                //here
1830                ide.outputView.debugBox.Logf("WOULD HAVE -- Invalid breakpoint disabled: %s:%d\n", bp.relativeFilePath, bp.line);
1831 #endif
1832                //UnsetBreakpoint(bp);
1833                //bp.enabled = false;
1834                return false;
1835             }
1836             else
1837             {
1838                //here
1839                ide.outputView.debugBox.Logf("Debugger Error: ValidateBreakpoint error\n");
1840                bp.line = bp.bp.line;
1841             }
1842          }
1843       }
1844       return true;
1845    }
1846
1847    void BreakpointsMaintenance()
1848    {
1849       //_dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "Debugger::BreakpointsMaintenance()");
1850       if(symbols)
1851       {
1852          if(gdbExecution.suspendInternalBreakpoints)
1853          {
1854             for(bp : sysBPs; bp.inserted)
1855                UnsetBreakpoint(bp);
1856          }
1857          else
1858          {
1859             DirExpression objDir = ide.project.GetObjDir(currentCompiler, prjConfig, bitDepth);
1860             for(bp : sysBPs; !bp.inserted)
1861             {
1862                bool insert = false;
1863                if(bp.type == internalModulesLoaded)
1864                {
1865                   char path[MAX_LOCATION];
1866                   char name[MAX_LOCATION];
1867                   char fixedModuleName[MAX_FILENAME];
1868                   char line[16384];
1869                   int lineNumber;
1870                   bool moduleLoadBlock = false;
1871                   File f;
1872                   ReplaceSpaces(fixedModuleName, ide.project.moduleName);
1873                   snprintf(name, sizeof(name),"%s.main.ec", fixedModuleName);
1874                   name[sizeof(name)-1] = 0;
1875                   strcpy(path, ide.workspace.projectDir);
1876                   PathCatSlash(path, objDir.dir);
1877                   PathCatSlash(path, name);
1878                   f = FileOpen(path, read);
1879                   if(f)
1880                   {
1881                      for(lineNumber = 1; !f.Eof(); lineNumber++)
1882                      {
1883                         if(f.GetLine(line, sizeof(line) - 1))
1884                         {
1885                            bool moduleLoadLine;
1886                            TrimLSpaces(line, line);
1887                            moduleLoadLine = !strncmp(line, "eModule_Load", strlen("eModule_Load"));
1888                            if(!moduleLoadBlock && moduleLoadLine)
1889                               moduleLoadBlock = true;
1890                            else if(moduleLoadBlock && !moduleLoadLine && strlen(line) > 0)
1891                               break;
1892                         }
1893                      }
1894                      if(!f.Eof())
1895                      {
1896                         char relative[MAX_LOCATION];
1897                         bp.absoluteFilePath = path;
1898                         MakePathRelative(path, ide.workspace.projectDir, relative);
1899                         bp.relativeFilePath = relative;
1900                         bp.line = lineNumber;
1901                         insert = true;
1902                      }
1903                      delete f;
1904                   }
1905                }
1906                else if(bp.type == internalModuleLoad)
1907                {
1908                   if(modules)
1909                   {
1910                      for(prj : ide.workspace.projects)
1911                      {
1912                         if(!strcmp(prj.moduleName, "ecere"))
1913                         {
1914                            ProjectNode node = prj.topNode.Find("instance.c", false);
1915                            if(node)
1916                            {
1917                               char path[MAX_LOCATION];
1918                               char relative[MAX_LOCATION];
1919                               node.GetFullFilePath(path);
1920                               bp.absoluteFilePath = path;
1921                               MakePathRelative(path, prj.topNode.path, relative);
1922                               bp.relativeFilePath = relative;
1923                               insert = true;
1924                               break;
1925                            }
1926                         }
1927                      }
1928                   }
1929                }
1930                else
1931                   insert = true;
1932                if(insert)
1933                {
1934                   if(!SetBreakpoint(bp, false))
1935                      SetBreakpoint(bp, true);
1936                }
1937             }
1938             delete objDir;
1939          }
1940
1941          if(userAction != runToCursor && bpRunToCursor && bpRunToCursor.inserted)
1942             UnsetBreakpoint(bpRunToCursor);
1943          if(bpRunToCursor && !bpRunToCursor.inserted)
1944          {
1945             if(!SetBreakpoint(bpRunToCursor, false))
1946                SetBreakpoint(bpRunToCursor, true);
1947          }
1948
1949          if(ignoreBreakpoints)
1950          {
1951             for(bp : ide.workspace.breakpoints; bp.inserted)
1952                UnsetBreakpoint(bp);
1953          }
1954          else
1955          {
1956             for(bp : ide.workspace.breakpoints; !bp.inserted && bp.type == user)
1957             {
1958                if(bp.enabled)
1959                {
1960                   if(!SetBreakpoint(bp, false))
1961                      SetBreakpoint(bp, true);
1962                }
1963                else
1964                {
1965 #ifdef _DEBUG
1966                   if(bp.bp)
1967                      _dpl(0, "problem");
1968 #endif
1969                   delete bp.bp;
1970                   bp.bp = GdbDataBreakpoint { };
1971                }
1972             }
1973          }
1974       }
1975    }
1976
1977    void UnsetBreakpoint(Breakpoint bp)
1978    {
1979       char * s = null; _dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "Debugger::UnsetBreakpoint(", s=bp.CopyLocationString(false), ") -- ", bp.type); delete s;
1980       if(symbols && bp.inserted)
1981       {
1982          GdbCommand(0, false, "-break-delete %s", bp.bp.number);
1983          bp.inserted = false;
1984          delete bp.bp;
1985          bp.bp = { };
1986       }
1987    }
1988
1989    bool SetBreakpoint(Breakpoint bp, bool removePath)
1990    {
1991       char * s = null; _dpl2(_dpct, dplchan::debuggerBreakpoints, 0, "Debugger::SetBreakpoint(", s=bp.CopyLocationString(false), ", ", removePath ? "**** removePath(true) ****" : "", ") -- ", bp.type); delete s;
1992       breakpointError = false;
1993       if(symbols && bp.enabled && (!bp.project || bp.project.GetTargetType(bp.project.config) == staticLibrary || bp.project == ide.project || projectsLibraryLoaded[bp.project.name]))
1994       {
1995          sentBreakInsert = true;
1996          if(bp.address)
1997             GdbCommand(0, false, "-break-insert *%s", bp.address);
1998          else
1999          {
2000             char * location = bp.CopyLocationString(removePath);
2001             GdbCommand(0, false, "-break-insert %s", location);
2002             delete location;
2003          }
2004          if(!breakpointError)
2005          {
2006             char * address = null;
2007             if(bpItem && bpItem.multipleBPs && bpItem.multipleBPs.count)
2008             {
2009                int count = 0;
2010                GdbDataBreakpoint first = null;
2011                for(n : bpItem.multipleBPs)
2012                {
2013                   if(!fstrcmp(n.fullname, bp.absoluteFilePath) && !first)
2014                   {
2015                      count++;
2016                      first = n;
2017                      break;
2018                   }
2019                   /*else
2020                   {
2021                      if(n.enabled)
2022                      {
2023                         GdbCommand(0, false, "-break-disable %s", n.number);
2024                         n.enabled = false;
2025                      }
2026                      else
2027                         _dpl2(_dpct, dplchan::debuggerProblem, 0, "Debugger::SetBreakpoint -- error breakpoint already disabled.");
2028                   }*/
2029                }
2030                if(first)
2031                {
2032                   address = CopyString(first.addr);
2033                   bpItem.addr = first.addr;
2034                   bpItem.func = first.func;
2035                   bpItem.file = first.file;
2036                   bpItem.fullname = first.fullname;
2037                   bpItem.line = first.line;
2038                   //bpItem.thread-groups = first.thread-groups;*/
2039                }
2040                else if(count == 0)
2041                   _dpl2(_dpct, dplchan::debuggerProblem, 0, "Debugger::SetBreakpoint -- error multiple breakpoints all disabled.");
2042                else
2043                   _dpl2(_dpct, dplchan::debuggerProblem, 0, "Debugger::SetBreakpoint -- error multiple breakpoints in exact same file not supported.");
2044                bpItem.multipleBPs.Free();
2045                delete bpItem.multipleBPs;
2046             }
2047             delete bp.bp;
2048             bp.bp = bpItem;
2049             bpItem = null;
2050             bp.inserted = (bp.bp && bp.bp.number && strcmp(bp.bp.number, "0"));
2051             if(bp.inserted)
2052                ValidateBreakpoint(bp);
2053
2054             if(address)
2055             {
2056                UnsetBreakpoint(bp);
2057                bp.address = address;
2058                delete address;
2059                SetBreakpoint(bp, removePath);
2060             }
2061          }
2062          return !breakpointError;
2063       }
2064       return false;
2065    }
2066
2067    void GdbGetStack()
2068    {
2069       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbGetStack()");
2070       activeFrame = null;
2071       stackFrames.Free(Frame::Free);
2072       GdbCommand(0, false, "-stack-info-depth");
2073       if(!frameCount)
2074          GdbCommand(0, false, "-stack-info-depth 192");
2075       if(frameCount && frameCount <= 192)
2076          GdbCommand(0, false, "-stack-list-frames 0 %d", Min(frameCount-1, 191));
2077       else
2078       {
2079          GdbCommand(0, false, "-stack-list-frames 0 %d", Min(frameCount-1, 95));
2080          GdbCommand(0, false, "-stack-list-frames %d %d", Max(frameCount - 96, 96), frameCount - 1);
2081       }
2082       GdbCommand(0, false, "");
2083    }
2084
2085    bool GdbTargetSet()
2086    {
2087       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbTargetSet()");
2088       if(!targeted)
2089       {
2090          char escaped[MAX_LOCATION];
2091          strescpy(escaped, targetFile);
2092          GdbCommand(0, false, "file \"%s\"", escaped); //GDB/MI Missing Implementation in 5.1.1 but we now have -file-exec-and-symbols / -file-exec-file / -file-symbol-file
2093
2094          if(!symbols)
2095             return true;
2096
2097          if(usingValgrind)
2098          {
2099             const char *vgdbCommand = "/usr/bin/vgdb"; // TODO: vgdb command config option
2100             //GdbCommand(0, false, "-target-select remote | %s --pid=%d", "vgdb", targetProcessId);
2101             printf("target remote | %s --pid=%d\n", vgdbCommand, targetProcessId);
2102             GdbCommand(0, false, "target remote | %s --pid=%d", vgdbCommand, targetProcessId); // TODO: vgdb command config option
2103          }
2104          else
2105             GdbCommand(0, false, "info target"); //GDB/MI Missing Implementation -file-list-symbol-files and -file-list-exec-sections
2106
2107          /*for(prj : ide.workspace.projects; prj != ide.workspace.projects.firstIterator.data)
2108             GdbCommand(0, false, "-environment-directory \"%s\"", prj.topNode.path);*/
2109
2110          for(dir : ide.workspace.sourceDirs; dir && dir[0])
2111          {
2112            bool interference = false;
2113            for(prj : ide.workspace.projects)
2114            {
2115               if(!fstrcmp(prj.topNode.path, dir))
2116               {
2117                  interference = true;
2118                  break;
2119               }
2120            }
2121            if(!interference && dir[0])
2122               GdbCommand(0, false, "-environment-directory \"%s\"", dir);
2123          }
2124
2125          targeted = true;
2126       }
2127       return true;
2128    }
2129
2130    /*void GdbTargetRelease()
2131    {
2132       if(targeted)
2133       {
2134          BreakpointsDeleteAll();
2135          GdbCommand(0, false, "file");  //GDB/MI Missing Implementation -target-detach
2136          targeted = false;
2137          symbols = true;
2138       }
2139    }*/
2140
2141    void GdbDebugBreak(bool internal)
2142    {
2143       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbDebugBreak()");
2144       if(targetProcessId)
2145       {
2146          if(internal)
2147             breakType = DebuggerAction::internal;
2148
2149          if(ide) ide.Update(null);
2150          app.Unlock();
2151          if(Process_Break(targetProcessId))  //GdbCommand(0, false, "-exec-interrupt");
2152             serialSemaphore.Wait();
2153          else
2154          {
2155             _ChangeState(loaded);
2156             targetProcessId = 0;
2157          }
2158          app.Lock();
2159       }
2160       else
2161          ide.outputView.debugBox.Logf("Debugger Error: GdbDebugBreak with not target id should never happen\n");
2162    }
2163
2164    void GdbExecRun()
2165    {
2166       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecRun()");
2167       GdbTargetSet();
2168       if(!usingValgrind)
2169          gdbExecution = run;
2170       GdbExecCommon();
2171       ShowDebuggerViews();
2172       if(usingValgrind)
2173          GdbExecContinue(true);
2174       else if(!GdbCommand(3, true, "-exec-run"))
2175          gdbExecution = none;
2176    }
2177
2178    void GdbExecContinue(bool focus)
2179    {
2180       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecContinue()");
2181       gdbExecution = run;
2182       GdbExecCommon();
2183       GdbCommand(0, focus, "-exec-continue");
2184    }
2185
2186    void GdbExecNext()
2187    {
2188       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecNext()");
2189       gdbExecution = next;
2190       GdbExecCommon();
2191       GdbCommand(0, true, "-exec-next");
2192    }
2193
2194    void GdbExecUntil(char * absoluteFilePath, int lineNumber)
2195    {
2196       char relativeFilePath[MAX_LOCATION];
2197       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecUntil()");
2198       gdbExecution = until;
2199       GdbExecCommon();
2200       if(absoluteFilePath)
2201       {
2202          WorkspaceGetRelativePath(absoluteFilePath, relativeFilePath, null);
2203          GdbCommand(0, true, "-exec-until %s:%d", relativeFilePath, lineNumber);
2204       }
2205       else
2206          GdbCommand(0, true, "-exec-until");
2207    }
2208
2209    void GdbExecAdvance(char * absoluteFilePathOrLocation, int lineNumber)
2210    {
2211       char relativeFilePath[MAX_LOCATION];
2212       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecAdvance()");
2213       gdbExecution = advance;
2214       GdbExecCommon();
2215       if(lineNumber)
2216       {
2217          WorkspaceGetRelativePath(absoluteFilePathOrLocation, relativeFilePath, null);
2218          GdbCommand(0, true, "advance %s:%d", relativeFilePath, lineNumber); // should use -exec-advance -- GDB/MI implementation missing
2219       }
2220       else
2221          GdbCommand(0, true, "advance %s", absoluteFilePathOrLocation); // should use -exec-advance -- GDB/MI implementation missing
2222    }
2223
2224    void GdbExecStep()
2225    {
2226       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecStep()");
2227       gdbExecution = step;
2228       GdbExecCommon();
2229       GdbCommand(0, true, "-exec-step");
2230    }
2231
2232    void GdbExecFinish()
2233    {
2234       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecFinish()");
2235       gdbExecution = finish;
2236       GdbExecCommon();
2237       GdbCommand(0, true, "-exec-finish");
2238    }
2239
2240    void GdbExecCommon()
2241    {
2242       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExecCommon()");
2243       BreakpointsMaintenance();
2244    }
2245
2246 #ifdef GDB_DEBUG_GUI
2247    void SendGDBCommand(char * command)
2248    {
2249       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::SendGDBCommand()");
2250       DebuggerState oldState = state;
2251       switch(state)
2252       {
2253          case running:
2254             if(targetProcessId)
2255                GdbDebugBreak(true);
2256          case stopped:
2257          case loaded:
2258             GdbCommand(0, false, command);
2259             break;
2260       }
2261       if(oldState == running)
2262          GdbExecContinue(false);
2263    }
2264 #endif
2265
2266    void ClearBreakDisplay()
2267    {
2268       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ClearBreakDisplay()");
2269       activeThread = 0;
2270       activeFrameLevel = -1;
2271       hitThread = 0;
2272       signalThread = 0;
2273       signalOn = false;
2274       frameCount = 0;
2275       if(stopItem)
2276          stopItem.Free();
2277       delete stopItem;
2278       event = none;
2279       activeFrame = null;
2280       stackFrames.Free(Frame::Free);
2281       ide.callStackView.Clear();
2282       ide.threadsView.Clear();
2283       ide.Update(null);
2284    }
2285
2286    bool GdbAbortExec()
2287    {
2288       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbAbortExec()");
2289       sentKill = true;
2290       GdbCommand(0, false, "-interpreter-exec console \"kill\""); // should use -exec-abort -- GDB/MI implementation incomplete
2291       return true;
2292    }
2293
2294    bool GdbInit(CompilerConfig compiler, ProjectConfig config, int bitDepth, bool useValgrind)
2295    {
2296       bool result = true;
2297       char oldDirectory[MAX_LOCATION];
2298       char tempPath[MAX_LOCATION];
2299       char command[MAX_F_STRING*4];
2300       Project project = ide.project;
2301       DirExpression targetDirExp = project.GetTargetDir(compiler, config, bitDepth);
2302       PathBackup pathBackup { };
2303       Map<String, String> envBackup { };
2304
2305       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbInit()");
2306       if(currentCompiler != compiler)
2307       {
2308          delete currentCompiler;
2309          currentCompiler = compiler;
2310          incref currentCompiler;
2311       }
2312       prjConfig = config;
2313       this.bitDepth = bitDepth;
2314       usingValgrind = useValgrind;
2315
2316       _ChangeState(loaded);
2317       sentKill = false;
2318       sentBreakInsert = false;
2319       breakpointError = false;
2320       ignoreBreakpoints = false;
2321       symbols = true;
2322       targeted = false;
2323       modules = false;
2324       needReset = false;
2325       projectsLibraryLoaded.Free();
2326
2327       ide.outputView.ShowClearSelectTab(debug);
2328       ide.outputView.debugBox.Logf($"Starting debug mode\n");
2329
2330 #ifdef GDB_DEBUG_OUTPUT
2331       ide.outputView.gdbBox.Logf("run: Starting GDB\n");
2332 #endif
2333
2334       strcpy(tempPath, ide.workspace.projectDir);
2335       PathCatSlash(tempPath, targetDirExp.dir);
2336       delete targetDir;
2337       targetDir = CopyString(tempPath);
2338       project.CatTargetFileName(tempPath, compiler, config);
2339       delete targetFile;
2340       targetFile = CopyString(tempPath);
2341
2342       GetWorkingDir(oldDirectory, MAX_LOCATION);
2343       if(ide.workspace.debugDir && ide.workspace.debugDir[0])
2344       {
2345          char temp[MAX_LOCATION];
2346          strcpy(temp, ide.workspace.projectDir);
2347          PathCatSlash(temp, ide.workspace.debugDir);
2348          ChangeWorkingDir(temp);
2349       }
2350       else
2351          ChangeWorkingDir(ide.workspace.projectDir);
2352
2353       ide.SetPath(true, compiler, config, bitDepth);
2354
2355       // TODO: This pollutes the environment, but at least it works
2356       // It shouldn't really affect the IDE as the PATH gets restored and other variables set for testing will unlikely cause problems
2357       // What is the proper solution for this? DualPipeOpenEnv?
2358       // gdb set environment commands don't seem to take effect
2359       for(e : ide.workspace.environmentVars)
2360       {
2361          // Backing up the environment variables until we use DualPipeOpenEnv()
2362          envBackup[e.name] = CopyString(getenv(e.name));
2363          SetEnvironment(e.name, e.string);
2364       }
2365
2366       if(usingValgrind)
2367       {
2368          char * clArgs = ide.workspace.commandLineArgs;
2369          const char *valgrindCommand = "valgrind"; // TODO: valgrind command config option //TODO: valgrind options
2370          ValgrindLeakCheck vgLeakCheck = ide.workspace.vgLeakCheck;
2371          int vgRedzoneSize = ide.workspace.vgRedzoneSize;
2372          bool vgTrackOrigins = ide.workspace.vgTrackOrigins;
2373          vgLogFile = CreateTemporaryFile(vgLogPath, "ecereidevglog");
2374          if(vgLogFile)
2375          {
2376             incref vgLogFile;
2377             vgLogThread.Create();
2378          }
2379          else
2380          {
2381             ide.outputView.debugBox.Logf($"Debugger Fatal Error: Couldn't open temporary log file for Valgrind output\n");
2382             result = false;
2383          }
2384          if(result && !CheckCommandAvailable(valgrindCommand))
2385          {
2386             ide.outputView.debugBox.Logf($"Debugger Fatal Error: Command %s for Valgrind is not available.\n", valgrindCommand);
2387             result = false;
2388          }
2389          if(result)
2390          {
2391             char * vgRedzoneSizeFlag = vgRedzoneSize == -1 ? "" : PrintString(" --redzone-size=", vgRedzoneSize);
2392             sprintf(command, "%s --vgdb=yes --vgdb-error=0 --log-file=%s --leak-check=%s%s --track-origins=%s %s%s%s",
2393                   valgrindCommand, vgLogPath, (char*)vgLeakCheck, vgRedzoneSizeFlag, vgTrackOrigins ? "yes" : "no", targetFile, clArgs ? " " : "", clArgs ? clArgs : "");
2394             if(vgRedzoneSize != -1)
2395                delete vgRedzoneSizeFlag;
2396             vgTargetHandle = DualPipeOpen(PipeOpenMode { output = true, /*error = true, */input = true }, command);
2397             if(!vgTargetHandle)
2398             {
2399                ide.outputView.debugBox.Logf($"Debugger Fatal Error: Couldn't start Valgrind\n");
2400                result = false;
2401             }
2402          }
2403          if(result)
2404          {
2405             incref vgTargetHandle;
2406             vgTargetThread.Create();
2407
2408             targetProcessId = vgTargetHandle.GetProcessID();
2409             waitingForPID = false;
2410             if(!targetProcessId)
2411             {
2412                ide.outputView.debugBox.Logf($"Debugger Fatal Error: Couldn't get Valgrind process ID\n");
2413                result = false;
2414             }
2415          }
2416          if(result)
2417          {
2418             app.Unlock();
2419             serialSemaphore.Wait();
2420             app.Lock();
2421          }
2422       }
2423
2424       if(result)
2425       {
2426          if(compiler.targetPlatform == win32)
2427          {
2428             strcpy(command,
2429 #if !((defined(__WORDSIZE) && __WORDSIZE == 8) || defined(__x86_64__))
2430                1 ||
2431 #endif
2432                bitDepth == 32 ? "i686-w64-mingw32-gdb" : "gdb");  // x86_64-w64-mingw32-gdb
2433          }
2434          else
2435             // We really should have a box to select GDB in the compiler/toolchain options
2436             strcpy(command, "gdb");
2437          if(!CheckCommandAvailable(command))
2438          {
2439             ide.outputView.debugBox.Logf($"Debugger Fatal Error: Command %s for GDB is not available.\n", command);
2440             result = false;
2441          }
2442          else
2443          {
2444             strcat(command, " -n -silent --interpreter=mi2"); //-async //\"%s\"
2445             gdbTimer.Start();
2446             gdbHandle = DualPipeOpen(PipeOpenMode { output = true, /*error = true, */input = true }, command);
2447             if(!gdbHandle)
2448             {
2449                ide.outputView.debugBox.Logf($"Debugger Fatal Error: Couldn't start GDB\n");
2450                result = false;
2451             }
2452          }
2453       }
2454       if(result)
2455       {
2456          incref gdbHandle;
2457          gdbThread.Create();
2458
2459          gdbProcessId = gdbHandle.GetProcessID();
2460          if(!gdbProcessId)
2461          {
2462             ide.outputView.debugBox.Logf($"Debugger Fatal Error: Couldn't get GDB process ID\n");
2463             result = false;
2464          }
2465       }
2466       if(result)
2467       {
2468          app.Unlock();
2469          serialSemaphore.Wait();
2470          app.Lock();
2471
2472          GdbCommand(0, false, "-gdb-set verbose off");
2473          //GdbCommand(0, false, "-gdb-set exec-done-display on");
2474          GdbCommand(0, false, "-gdb-set step-mode off");
2475          GdbCommand(0, false, "-gdb-set unwindonsignal on");
2476          //GdbCommand(0, false, "-gdb-set shell on");
2477          GdbCommand(0, false, "set print elements 992");
2478          GdbCommand(0, false, "-gdb-set backtrace limit 100000");
2479
2480          if(!GdbTargetSet())
2481          {
2482             //_ChangeState(terminated);
2483             result = false;
2484          }
2485       }
2486       if(result)
2487       {
2488 #if defined(__unix__)
2489          {
2490             CreateTemporaryDir(progFifoDir, "ecereide");
2491             strcpy(progFifoPath, progFifoDir);
2492             PathCat(progFifoPath, "ideprogfifo");
2493             if(!mkfifo(progFifoPath, 0600))
2494             {
2495                //fileCreated = true;
2496             }
2497             else
2498             {
2499                //app.Lock();
2500                ide.outputView.debugBox.Logf(createFIFOMsg, progFifoPath);
2501                //app.Unlock();
2502             }
2503          }
2504
2505          if(!usingValgrind)
2506          {
2507             progThread.terminate = false;
2508             progThread.Create();
2509          }
2510 #endif
2511
2512 #if defined(__WIN32__)
2513          GdbCommand(0, false, "-gdb-set new-console on");
2514 #endif
2515
2516 #if defined(__unix__)
2517          if(!usingValgrind)
2518             GdbCommand(0, false, "-inferior-tty-set %s", progFifoPath);
2519 #endif
2520
2521          if(!usingValgrind)
2522             GdbCommand(0, false, "-gdb-set args %s", ide.workspace.commandLineArgs ? ide.workspace.commandLineArgs : "");
2523          /*
2524          for(e : ide.workspace.environmentVars)
2525          {
2526             GdbCommand(0, false, "set environment %s=%s", e.name, e.string);
2527          }
2528          */
2529       }
2530
2531       ChangeWorkingDir(oldDirectory);
2532
2533       for(e : envBackup)
2534       {
2535          SetEnvironment(&e, e);
2536       }
2537       envBackup.Free();
2538       delete envBackup;
2539
2540       delete pathBackup;
2541
2542       if(!result)
2543          GdbExit();
2544       delete targetDirExp;
2545       return result;
2546    }
2547
2548    void GdbExit()
2549    {
2550       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbExit()");
2551       if(gdbHandle && gdbProcessId)
2552       {
2553          gdbTimer.Stop();
2554          GdbCommand(0, false, "-gdb-exit");
2555
2556          if(gdbThread)
2557          {
2558             app.Unlock();
2559             gdbThread.Wait();
2560             app.Lock();
2561          }
2562          if(vgLogFile)
2563             vgLogFile.CloseInput();
2564          if(vgLogThread.created)
2565          {
2566             app.Unlock();
2567             vgLogThread.Wait();
2568             app.Lock();
2569          }
2570          delete vgLogFile;
2571          if(vgTargetThread)
2572          {
2573             app.Unlock();
2574             vgTargetThread.Wait();
2575             app.Lock();
2576          }
2577          if(gdbHandle)
2578          {
2579             gdbHandle.Wait();
2580             delete gdbHandle;
2581          }
2582       }
2583       gdbTimer.Stop();
2584       _ChangeState(terminated); // this state change seems to be superfluous, is it safety for something?
2585       prjConfig = null;
2586       needReset = false;
2587
2588       if(ide.workspace)
2589       {
2590          for(bp : ide.workspace.breakpoints)
2591             bp.Reset();
2592       }
2593       for(bp : sysBPs)
2594          bp.Reset();
2595       if(bpRunToCursor)
2596          bpRunToCursor.Reset();
2597
2598       ide.outputView.debugBox.Logf($"Debugging stopped\n");
2599       ClearBreakDisplay();
2600       ide.Update(null);
2601
2602 #if defined(__unix__)
2603       if(!usingValgrind && FileExists(progFifoPath)) //fileCreated)
2604       {
2605          progThread.terminate = true;
2606          if(fifoFile)
2607          {
2608             fifoFile.CloseInput();
2609             app.Unlock();
2610             progThread.Wait();
2611             app.Lock();
2612             delete fifoFile;
2613          }
2614          DeleteFile(progFifoPath);
2615          progFifoPath[0] = '\0';
2616          rmdir(progFifoDir);
2617       }
2618 #endif
2619    }
2620
2621    bool WatchesLinkCodeEditor()
2622    {
2623       bool goodFrame = activeFrame && activeFrame.absoluteFile;
2624       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::WatchesLinkCodeEditor()");
2625       if(codeEditor && (!goodFrame || fstrcmp(codeEditor.fileName, activeFrame.absoluteFile)))
2626          WatchesReleaseCodeEditor();
2627
2628       if(!codeEditor && goodFrame)
2629       {
2630          codeEditor = (CodeEditor)ide.OpenFile(activeFrame.absoluteFile, false, false, null, no, normal, false);
2631          if(codeEditor)
2632          {
2633             codeEditor.inUseDebug = true;
2634             incref codeEditor;
2635          }
2636       }
2637       return codeEditor != null;
2638    }
2639
2640    void WatchesReleaseCodeEditor()
2641    {
2642       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::WatchesReleaseCodeEditor()");
2643       if(codeEditor)
2644       {
2645          codeEditor.inUseDebug = false;
2646          if(!codeEditor.visible)
2647             codeEditor.Destroy(0);
2648          delete codeEditor;
2649       }
2650    }
2651
2652    bool ResolveWatch(Watch wh)
2653    {
2654       bool result = false;
2655
2656       _dpl2(_dpct, dplchan::debuggerWatches, 0, "Debugger::ResolveWatch()");
2657       wh.Reset();
2658
2659       /*delete wh.value;
2660       if(wh.type)
2661       {
2662          FreeType(wh.type);
2663          wh.type = null;
2664       }*/
2665
2666       if(wh.expression)
2667       {
2668          char watchmsg[MAX_F_STRING];
2669          if(state == stopped && !codeEditor)
2670             wh.value = CopyString($"No source file found for selected frame");
2671          //if(codeEditor && state == stopped || state != stopped)
2672          else
2673          {
2674             Module backupPrivateModule;
2675             Context backupContext;
2676             Class backupThisClass;
2677             Expression exp;
2678             parseError = false;
2679
2680             backupPrivateModule = GetPrivateModule();
2681             backupContext = GetCurrentContext();
2682             backupThisClass = GetThisClass();
2683             if(codeEditor)
2684             {
2685                SetPrivateModule(codeEditor.privateModule);
2686                SetCurrentContext(codeEditor.globalContext);
2687                SetTopContext(codeEditor.globalContext);
2688                SetGlobalContext(codeEditor.globalContext);
2689                SetGlobalData(&codeEditor.globalData);
2690             }
2691
2692             exp = ParseExpressionString(wh.expression);
2693
2694             if(exp && !parseError)
2695             {
2696                char expString[4096];
2697                expString[0] = 0;
2698                PrintExpression(exp, expString);
2699
2700                if(GetPrivateModule())
2701                {
2702                   if(codeEditor)
2703                      DebugFindCtxTree(codeEditor.ast, activeFrame.line, 0);
2704                   ProcessExpressionType(exp);
2705                }
2706                wh.type = exp.expType;
2707                if(wh.type)
2708                   wh.type.refCount++;
2709                DebugComputeExpression(exp);
2710                if(ExpressionIsError(exp))
2711                {
2712                   GDBFallBack(exp, expString);
2713                }
2714
2715                /*if(exp.hasAddress)
2716                {
2717                   char temp[MAX_F_STRING];
2718                   sprintf(temp, "0x%x", exp.address);
2719                   wh.address = CopyString(temp);
2720                   // wh.address = CopyStringf("0x%x", exp.address);
2721                }*/
2722 /*
2723 //#ifdef _DEBUG
2724                {
2725                   Type dataType = exp.expType;
2726                   if(dataType)
2727                   {
2728                      char temp[MAX_F_STRING];
2729                      switch(dataType.kind)
2730                      {
2731                         case charType:
2732                            sprintf(temp, "%i", exp.val.c);
2733                            break;
2734                         case shortType:
2735                            sprintf(temp, "%i", exp.val.s);
2736                            break;
2737                         case intType:
2738                         case longType:
2739                         case enumType:
2740                            sprintf(temp, "%i", exp.val.i);
2741                            break;
2742                         case int64Type:
2743                            sprintf(temp, "%i", exp.val.i64);
2744                            break;
2745                         case pointerType:
2746                            sprintf(temp, "%i", exp.val.p);
2747                            break;
2748
2749                         case floatType:
2750                         {
2751                            long v = (long)exp.val.f;
2752                            sprintf(temp, "%i", v);
2753                            break;
2754                         }
2755                         case doubleType:
2756                         {
2757                            long v = (long)exp.val.d;
2758                            sprintf(temp, "%i", v);
2759                            break;
2760                         }
2761                      }
2762                      if(temp)
2763                         wh.intVal = CopyString(temp);
2764                      switch(dataType.kind)
2765                      {
2766                         case charType:
2767                            sprintf(temp, "0x%x", exp.val.c);
2768                            break;
2769                         case shortType:
2770                            sprintf(temp, "0x%x", exp.val.s);
2771                            break;
2772                         case enumType:
2773                         case intType:
2774                            sprintf(temp, "0x%x", exp.val.i);
2775                            break;
2776                         case int64Type:
2777                            sprintf(temp, "0x%x", exp.val.i64);
2778                            break;
2779                         case longType:
2780                            sprintf(temp, "0x%x", exp.val.i64);
2781                            break;
2782                         case pointerType:
2783                            sprintf(temp, "0x%x", exp.val.p);
2784                            break;
2785
2786                         case floatType:
2787                         {
2788                            long v = (long)exp.val.f;
2789                            sprintf(temp, "0x%x", v);
2790                            break;
2791                         }
2792                         case doubleType:
2793                         {
2794                            long v = (long)exp.val.d;
2795                            sprintf(temp, "0x%x", v);
2796                            break;
2797                         }
2798                      }
2799                      if(temp)
2800                         wh.hexVal = CopyString(temp);
2801                      switch(dataType.kind)
2802                      {
2803                         case charType:
2804                            sprintf(temp, "0o%o", exp.val.c);
2805                            break;
2806                         case shortType:
2807                            sprintf(temp, "0o%o", exp.val.s);
2808                            break;
2809                         case enumType:
2810                         case intType:
2811                            sprintf(temp, "0o%o", exp.val.i);
2812                            break;
2813                         case int64Type:
2814                            sprintf(temp, "0o%o", exp.val.i64);
2815                            break;
2816                         case longType:
2817                            sprintf(temp, "0o%o", exp.val.i64);
2818                            break;
2819                         case pointerType:
2820                            sprintf(temp, "0o%o", exp.val.p);
2821                            break;
2822
2823                         case floatType:
2824                         {
2825                            long v = (long)exp.val.f;
2826                            sprintf(temp, "0o%o", v);
2827                            break;
2828                         }
2829                         case doubleType:
2830                         {
2831                            long v = (long)exp.val.d;
2832                            sprintf(temp, "0o%o", v);
2833                            break;
2834                         }
2835                      }
2836                      if(temp)
2837                         wh.octVal = CopyString(temp);
2838                   }
2839                }
2840                // WHATS THIS HERE ?
2841                if(exp.type == constantExp && exp.constant)
2842                   wh.constant = CopyString(exp.constant);
2843 //#endif
2844 */
2845
2846                switch(exp.type)
2847                {
2848                   case symbolErrorExp:
2849                      snprintf(watchmsg, sizeof(watchmsg), $"Symbol \"%s\" not found", exp.identifier.string);
2850                      break;
2851                   case structMemberSymbolErrorExp:
2852                      // todo get info as in next case (ExpClassMemberSymbolError)
2853                      snprintf(watchmsg, sizeof(watchmsg), $"Error: Struct member not found for \"%s\"", wh.expression);
2854                      break;
2855                   case classMemberSymbolErrorExp:
2856                      {
2857                         Class _class;
2858                         Expression memberExp = exp.member.exp;
2859                         Identifier memberID = exp.member.member;
2860                         Type type = memberExp.expType;
2861                         if(type)
2862                         {
2863                            _class = (memberID && memberID.classSym) ? memberID.classSym.registered : ((type.kind == classType && type._class) ? type._class.registered : null);
2864                            if(!_class)
2865                            {
2866                               char string[256] = "";
2867                               Symbol classSym;
2868                               PrintTypeNoConst(type, string, false, true);
2869                               classSym = FindClass(string);
2870                               _class = classSym ? classSym.registered : null;
2871                            }
2872                            if(_class)
2873                               snprintf(watchmsg, sizeof(watchmsg), $"Member \"%s\" not found in class \"%s\"", memberID ? memberID.string : "", _class.name);
2874                            else
2875                               snprintf(watchmsg, sizeof(watchmsg), "Member \"%s\" not found in unregistered class? (Should never get this message)", memberID ? memberID.string : "");
2876                         }
2877                         else
2878                            snprintf(watchmsg, sizeof(watchmsg), "Member \"%s\" not found in no type? (Should never get this message)", memberID ? memberID.string : "");
2879                      }
2880                      break;
2881                   case memoryErrorExp:
2882                      // Need to ensure when set to memoryErrorExp, constant is set
2883                      snprintf(watchmsg, sizeof(watchmsg), $"Memory can't be read at %s", /*(exp.type == constantExp) ? */exp.constant /*: null*/);
2884                      break;
2885                   case dereferenceErrorExp:
2886                      snprintf(watchmsg, sizeof(watchmsg), $"Dereference failure for \"%s\"", wh.expression);
2887                      break;
2888                   case unknownErrorExp:
2889                      snprintf(watchmsg, sizeof(watchmsg), $"Unknown error for \"%s\"", wh.expression);
2890                      break;
2891                   case noDebuggerErrorExp:
2892                      snprintf(watchmsg, sizeof(watchmsg), $"Debugger required for symbol evaluation in \"%s\"", wh.expression);
2893                      break;
2894                   case debugStateErrorExp:
2895                      snprintf(watchmsg, sizeof(watchmsg), $"Incorrect debugger state for symbol evaluation in \"%s\"", wh.expression);
2896                      break;
2897                   case 0:
2898                      snprintf(watchmsg, sizeof(watchmsg), $"Null type for \"%s\"", wh.expression);
2899                      break;
2900                   case constantExp:
2901                   case stringExp:
2902                      // Temporary Code for displaying Strings
2903                      if((exp.expType && ((exp.expType.kind == pointerType ||
2904                               exp.expType.kind == arrayType) && exp.expType.type.kind == charType)) ||
2905                            (wh.type && wh.type.kind == classType && wh.type._class &&
2906                               wh.type._class.registered && wh.type._class.registered.type == normalClass &&
2907                               !strcmp(wh.type._class.registered.name, "String")))
2908                      {
2909
2910                         if(exp.expType.kind != arrayType || exp.hasAddress)
2911                         {
2912                            uint64 address;
2913                            char * string;
2914                            char value[4196];
2915                            int len;
2916                            //char temp[MAX_F_STRING * 32];
2917
2918                            ExpressionType evalError = dummyExp;
2919                            /*if(exp.expType.kind == arrayType)
2920                               sprintf(temp, "(char*)0x%x", exp.address);
2921                            else
2922                               sprintf(temp, "(char*)%s", exp.constant);*/
2923
2924                            //evaluation = Debugger::EvaluateExpression(temp, &evalError);
2925                            // address = strtoul(exp.constant, null, 0);
2926                            address = _strtoui64(exp.constant, null, 0);
2927                            //_dpl(0, "0x", address);
2928                            // snprintf(value, sizeof(value), "0x%08x ", address);
2929
2930                            if(address > 0xFFFFFFFFLL)
2931                               snprintf(value, sizeof(value), (GetRuntimePlatform() == win32) ? "0x%016I64x " : "0x%016llx ", address);
2932                            else
2933                               snprintf(value, sizeof(value), (GetRuntimePlatform() == win32) ? "0x%08I64x " : "0x%08llx ", address);
2934                            value[sizeof(value)-1] = 0;
2935
2936                            if(!address)
2937                               strcat(value, $"Null string");
2938                            else
2939                            {
2940                               int size = 4096;
2941                               len = strlen(value);
2942                               string = null;
2943                               while(!string && size > 2)
2944                               {
2945                                  string = GdbReadMemory(address, size);
2946                                  size /= 2;
2947                               }
2948                               if(string && string[0])
2949                               {
2950                                  value[len++] = '(';
2951                                  if(UTF8Validate(string))
2952                                  {
2953                                     int c;
2954                                     char ch;
2955
2956                                     for(c = 0; (ch = string[c]) && c<4096; c++)
2957                                        value[len++] = ch;
2958                                     value[len++] = ')';
2959                                     value[len++] = '\0';
2960
2961                                  }
2962                                  else
2963                                  {
2964                                     ISO8859_1toUTF8(string, value + len, 4096 - len - 30);
2965                                     strcat(value, ") (ISO8859-1)");
2966                                  }
2967
2968                                  delete string;
2969                               }
2970                               else if(string)
2971                               {
2972                                  strcat(value, $"Empty string");
2973                                  delete string;
2974                               }
2975                               else
2976                                  strcat(value, $"Couldn't read memory");
2977                            }
2978                            wh.value = CopyString(value);
2979                         }
2980                      }
2981                      else if(wh.type && wh.type.kind == classType && wh.type._class &&
2982                               wh.type._class.registered && wh.type._class.registered.type == enumClass)
2983                      {
2984                         uint64 value = strtoul(exp.constant, null, 0);
2985                         Class enumClass = eSystem_FindClass(GetPrivateModule(), wh.type._class.registered.name);
2986                         EnumClassData enumeration = (EnumClassData)enumClass.data;
2987                         NamedLink item;
2988                         for(item = enumeration.values.first; item; item = item.next)
2989                            if((int)item.data == value)
2990                               break;
2991                         if(item)
2992                            wh.value = CopyString(item.name);
2993                         else
2994                            wh.value = CopyString($"Invalid Enum Value");
2995                         result = true;
2996                      }
2997                      else if(wh.type && (wh.type.kind == charType || (wh.type.kind == classType && wh.type._class &&
2998                               wh.type._class.registered && !strcmp(wh.type._class.registered.fullName, "ecere::com::unichar"))) )
2999                      {
3000                         unichar value;
3001                         int signedValue;
3002                         char charString[5];
3003                         char string[256];
3004
3005                         if(exp.constant[0] == '\'')
3006                         {
3007                            if((int)((byte *)exp.constant)[1] > 127)
3008                            {
3009                               int nb;
3010                               value = UTF8GetChar(exp.constant + 1, &nb);
3011                               if(nb < 2) value = exp.constant[1];
3012                               signedValue = value;
3013                            }
3014                            else
3015                            {
3016                               signedValue = exp.constant[1];
3017                               {
3018                                  // Precomp Syntax error with boot strap here:
3019                                  byte b = (byte)(char)signedValue;
3020                                  value = (unichar) b;
3021                               }
3022                            }
3023                         }
3024                         else
3025                         {
3026                            if(wh.type.kind == charType && wh.type.isSigned)
3027                            {
3028                               signedValue = (int)(char)strtol(exp.constant, null, 0);
3029                               {
3030                                  // Precomp Syntax error with boot strap here:
3031                                  byte b = (byte)(char)signedValue;
3032                                  value = (unichar) b;
3033                               }
3034                            }
3035                            else
3036                            {
3037                               value = (uint)strtoul(exp.constant, null, 0);
3038                               signedValue = (int)value;
3039                            }
3040                         }
3041                         charString[0] = 0;
3042                         UTF32toUTF8Len(&value, 1, charString, 5);
3043                         if(value == '\0')
3044                            snprintf(string, sizeof(string), "\'\\0' (0)");
3045                         else if(value == '\t')
3046                            snprintf(string, sizeof(string), "\'\\t' (%d)", value);
3047                         else if(value == '\n')
3048                            snprintf(string, sizeof(string), "\'\\n' (%d)", value);
3049                         else if(value == '\r')
3050                            snprintf(string, sizeof(string), "\'\\r' (%d)", value);
3051                         else if(wh.type.kind == charType && wh.type.isSigned)
3052                            snprintf(string, sizeof(string), "\'%s\' (%d)", charString, signedValue);
3053                         else if(value > 256 || wh.type.kind != charType)
3054                         {
3055                            if(value > 0x10FFFF || !GetCharCategory(value))
3056                               snprintf(string, sizeof(string), $"Invalid Unicode Keypoint (0x%08X)", value);
3057                            else
3058                               snprintf(string, sizeof(string), "\'%s\' (U+%04X)", charString, value);
3059                         }
3060                         else
3061                            snprintf(string, sizeof(string), "\'%s\' (%d)", charString, value);
3062                         string[sizeof(string)-1] = 0;
3063
3064                         wh.value = CopyString(string);
3065                         result = true;
3066                      }
3067                      else
3068                      {
3069                         wh.value = CopyString(exp.constant);
3070                         result = true;
3071                      }
3072                      break;
3073                   default:
3074                      if(exp.hasAddress)
3075                      {
3076                         wh.value = PrintHexUInt64(exp.address);
3077                         result = true;
3078                      }
3079                      else
3080                      {
3081                         char tempString[256];
3082                         if(exp.member.memberType == propertyMember)
3083                            snprintf(watchmsg, sizeof(watchmsg), $"Missing property evaluation support for \"%s\"", wh.expression);
3084                         else
3085                            snprintf(watchmsg, sizeof(watchmsg), $"Evaluation failed for \"%s\" of type \"%s\"", wh.expression,
3086                                  exp.type.OnGetString(tempString, null, null));
3087                      }
3088                      break;
3089                }
3090             }
3091             else
3092                snprintf(watchmsg, sizeof(watchmsg), $"Invalid expression: \"%s\"", wh.expression);
3093             if(exp) FreeExpression(exp);
3094
3095
3096             SetPrivateModule(backupPrivateModule);
3097             SetCurrentContext(backupContext);
3098             SetTopContext(backupContext);
3099             SetGlobalContext(backupContext);
3100             SetThisClass(backupThisClass);
3101          }
3102          //else
3103          //   wh.value = CopyString("No source file found for selected frame");
3104
3105          watchmsg[sizeof(watchmsg)-1] = 0;
3106          if(!wh.value)
3107             wh.value = CopyString(watchmsg);
3108       }
3109       ide.watchesView.UpdateWatch(wh);
3110       return result;
3111    }
3112
3113    void EvaluateWatches()
3114    {
3115       _dpl2(_dpct, dplchan::debuggerWatches, 0, "Debugger::EvaluateWatches()");
3116       WatchesLinkCodeEditor();
3117       if(state == stopped)
3118       {
3119          for(wh : ide.workspace.watches)
3120             ResolveWatch(wh);
3121       }
3122    }
3123
3124    char * ::GdbEvaluateExpression(char * expression)
3125    {
3126       _dpl2(_dpct, dplchan::debuggerWatches, 0, "Debugger::GdbEvaluateExpression(", expression, ")");
3127       eval.active = true;
3128       eval.error = none;
3129       GdbCommand(0, false, "-data-evaluate-expression \"%s\"", expression);
3130       if(eval.active)
3131          ide.outputView.debugBox.Logf("Debugger Error: GdbEvaluateExpression\n");
3132       return eval.result;
3133    }
3134
3135    // to be removed... use GdbReadMemory that returns a byte array instead
3136    char * ::GdbReadMemoryString(uint64 address, int size, char format, int rows, int cols)
3137    {
3138       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbReadMemoryString(", address, ")");
3139       eval.active = true;
3140       eval.error = none;
3141 #ifdef _DEBUG
3142       if(!size)
3143          _dpl(0, "GdbReadMemoryString called with size = 0!");
3144 #endif
3145       // GdbCommand(0, false, "-data-read-memory 0x%08x %c, %d, %d, %d", address, format, size, rows, cols);
3146       if(GetRuntimePlatform() == win32)
3147          GdbCommand(0, false, "-data-read-memory 0x%016I64x %c, %d, %d, %d", address, format, size, rows, cols);
3148       else
3149          GdbCommand(0, false, "-data-read-memory 0x%016llx %c, %d, %d, %d", address, format, size, rows, cols);
3150       if(eval.active)
3151          ide.outputView.debugBox.Logf("Debugger Error: GdbReadMemoryString\n");
3152       return eval.result;
3153    }
3154
3155    byte * ::GdbReadMemory(uint64 address, int bytes)
3156    {
3157       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbReadMemory(", address, ")");
3158       eval.active = true;
3159       eval.error = none;
3160       //GdbCommand(0, false, "-data-read-memory 0x%08x %c, 1, 1, %d", address, 'u', bytes);
3161       if(GetRuntimePlatform() == win32)
3162          GdbCommand(0, false, "-data-read-memory 0x%016I64x %c, 1, 1, %d", address, 'u', bytes);
3163       else
3164          GdbCommand(0, false, "-data-read-memory 0x%016llx %c, 1, 1, %d", address, 'u', bytes);
3165 #ifdef _DEBUG
3166       if(!bytes)
3167          _dpl(0, "GdbReadMemory called with bytes = 0!");
3168 #endif
3169       if(eval.active)
3170          ide.outputView.debugBox.Logf("Debugger Error: GdbReadMemory\n");
3171       else if(eval.result && strcmp(eval.result, "N/A"))
3172       {
3173          byte * result = new byte[bytes];
3174          byte * string = eval.result;
3175          int c = 0;
3176          while(true)
3177          {
3178             result[c++] = (byte)strtol(string, &string, 10);
3179             if(string)
3180             {
3181                if(*string == ',')
3182                   string++;
3183                 else
3184                   break;
3185             }
3186             else
3187                break;
3188          }
3189          return result;
3190       }
3191       return null;
3192    }
3193
3194    bool BreakpointHit(GdbDataStop stopItem, Breakpoint bpInternal, Breakpoint bpUser)
3195    {
3196       bool result = true;
3197       char * s1 = null; char * s2 = null;
3198       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::BreakpointHit(",
3199             "bpInternal(", bpInternal ? s1=bpInternal.CopyLocationString(false) : null, "), ",
3200             "bpUser(", bpUser ? s2=bpUser.CopyLocationString(false) : null, ")) -- ",
3201             "ignoreBreakpoints(", ignoreBreakpoints, "), ",
3202             "hitCursorBreakpoint(", bpUser && bpUser.type == runToCursor,  ")");
3203       delete s1; delete s2;
3204
3205       if(bpUser)
3206       {
3207          bool conditionMet = true;
3208          if(bpUser.condition)
3209          {
3210             if(WatchesLinkCodeEditor())
3211                conditionMet = ResolveWatch(bpUser.condition);
3212             else
3213                conditionMet = false;
3214          }
3215          bpUser.hits++;
3216          if(conditionMet)
3217          {
3218             if(!bpUser.ignore)
3219                bpUser.breaks++;
3220             else
3221             {
3222                bpUser.ignore--;
3223                result = false;
3224             }
3225          }
3226          else
3227             result = false;
3228          if(stopItem.frame.line && bpUser.line != stopItem.frame.line)
3229          {
3230             // updating user breakpoint on hit location difference
3231             // todo, print something?
3232             bpUser.line = stopItem.frame.line;
3233             ide.breakpointsView.UpdateBreakpoint(bpUser.row);
3234             ide.workspace.Save();
3235          }
3236          else
3237             ide.breakpointsView.UpdateBreakpoint(bpUser.row);
3238       }
3239       if(bpInternal)
3240       {
3241          bpInternal.hits++;
3242          if(bpInternal.type == internalModulesLoaded)
3243             modules = true;
3244          if(userAction == stepOver)
3245          {
3246             if((bpInternal.type == internalEntry && ((intBpMain && intBpMain.inserted) || (intBpWinMain && intBpWinMain.inserted))) ||
3247                   (bpInternal.type == internalMain && intBpWinMain && intBpWinMain.inserted))
3248                result = false;
3249          }
3250          if(!bpUser && !userAction.breaksOnInternalBreakpoint)
3251          {
3252             if(userAction == stepOut)
3253                StepOut(ignoreBreakpoints);
3254             else
3255                result = false;
3256          }
3257       }
3258
3259       if(!bpUser && !bpInternal)
3260          result = false;
3261
3262       return result;
3263    }
3264
3265    void ValgrindTargetThreadExit()
3266    {
3267       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ValgrindTargetThreadExit()");
3268       if(vgTargetHandle)
3269       {
3270          vgTargetHandle.Wait();
3271          delete vgTargetHandle;
3272       }
3273       HandleExit(null, null);
3274    }
3275
3276    void GdbThreadExit()
3277    {
3278       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::GdbThreadExit()");
3279       if(state != terminated)
3280       {
3281          _ChangeState(terminated);
3282          targetProcessId = 0;
3283          ClearBreakDisplay();
3284
3285          delete vgLogFile;
3286          if(gdbHandle)
3287          {
3288             serialSemaphore.Release();
3289             gdbTimer.Stop();
3290             gdbHandle.Wait();
3291             delete gdbHandle;
3292
3293             ide.outputView.debugBox.Logf($"Debugger Fatal Error: GDB lost\n");
3294             ide.outputView.debugBox.Logf($"Debugging stopped\n");
3295             ide.Update(null);
3296             HideDebuggerViews();
3297          }
3298          //_ChangeState(terminated);
3299       }
3300    }
3301
3302    void GdbThreadMain(char * output)
3303    {
3304       int i;
3305       char * t;
3306       Array<char *> outTokens { minAllocSize = 50 };
3307       Array<char *> subTokens { minAllocSize = 50 };
3308       DebugListItem item { };
3309       DebugListItem item2 { };
3310       bool setWaitingForPID = false;
3311
3312 #if defined(GDB_DEBUG_CONSOLE) || defined(GDB_DEBUG_GUI)
3313 #ifdef GDB_DEBUG_CONSOLE
3314       // _dpl2(_dpct, dplchan::gdbOutput, 0, output);
3315       puts(output);
3316 #endif
3317 #ifdef GDB_DEBUG_OUTPUT
3318       {
3319          int len = strlen(output);
3320          if(len > 1024)
3321          {
3322             int c;
3323             char * start;
3324             char tmp[1025];
3325             tmp[1024] = '\0';
3326             start = output;
3327             for(c = 0; c < len / 1024; c++)
3328             {
3329                strncpy(tmp, start, 1024);
3330                ide.outputView.gdbBox.Logf("out: %s\n", tmp);
3331                start += 1024;
3332             }
3333             ide.outputView.gdbBox.Logf("out: %s\n", start);
3334          }
3335          else
3336          {
3337             ide.outputView.gdbBox.Logf("out: %s\n", output);
3338          }
3339       }
3340 #endif
3341 #ifdef GDB_DEBUG_CONSOLE
3342          strcpy(lastGdbOutput, output);
3343 #endif
3344 #ifdef GDB_DEBUG_GUI
3345          if(ide.gdbDialog) ide.gdbDialog.AddOutput(output);
3346 #endif
3347 #endif
3348
3349       switch(output[0])
3350       {
3351          case '~':
3352             if(strstr(output, "No debugging symbols found") || strstr(output, "(no debugging symbols found)"))
3353             {
3354                symbols = false;
3355                ide.outputView.debugBox.Logf($"Target doesn't contain debug information!\n");
3356                ide.Update(null);
3357             }
3358             if(!entryPoint && (t = strstr(output, "Entry point:")))
3359             {
3360                char * addr = t + strlen("Entry point:");
3361                t = addr;
3362                if(*t++ == ' ' && *t++ == '0' && *t == 'x')
3363                {
3364                   *addr = '*';
3365                   while(isxdigit(*++t));
3366                   *t = '\0';
3367                   for(bp : sysBPs; bp.type == internalEntry)
3368                   {
3369                      bp.function = addr;
3370                      bp.enabled = entryPoint = true;
3371                      break;
3372                   }
3373                }
3374             }
3375             break;
3376          case '^':
3377             gdbReady = false;
3378             if(TokenizeList(output, ',', outTokens) && !strcmp(outTokens[0], "^done"))
3379             {
3380                //if(outTokens.count == 1)
3381                {
3382                   if(sentKill)
3383                   {
3384                      sentKill = false;
3385                      _ChangeState(loaded);
3386                      targetProcessId = 0;
3387                      if(outTokens.count > 1 && TokenizeListItem(outTokens[1], item))
3388                      {
3389                         if(!strcmp(item.name, "reason"))
3390                         {
3391                            char * reason = item.value;
3392                            StripQuotes(reason, reason);
3393                            if(!strcmp(reason, "exited-normally") || !strcmp(reason, "exited") || !strcmp(reason, "exited-signalled"))
3394                            {
3395                               char * exitCode;
3396                               if(outTokens.count > 2 && TokenizeListItem(outTokens[2], item2))
3397                               {
3398                                  StripQuotes(item2.value, item2.value);
3399                                  if(!strcmp(item2.name, "exit-code"))
3400                                     exitCode = item2.value;
3401                                  else
3402                                     exitCode = null;
3403                               }
3404                               else
3405                                  exitCode = null;
3406                               HandleExit(reason, exitCode);
3407                            }
3408                         }
3409                         else
3410                            _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "kill reply (", item.name, "=", item.value, ") is unheard of");
3411                      }
3412                      else
3413                         HandleExit(null, null);
3414                   }
3415                }
3416                if(outTokens.count > 1 && TokenizeListItem(outTokens[1], item))
3417                {
3418                   if(!strcmp(item.name, "bkpt"))
3419                   {
3420                      sentBreakInsert = false;
3421 #ifdef _DEBUG
3422                      if(bpItem)
3423                         _dpl(0, "problem");
3424 #endif
3425                      delete bpItem;
3426                      bpItem = ParseBreakpoint(item.value, outTokens);
3427                      //breakType = bpValidation;
3428                   }
3429                   else if(!strcmp(item.name, "depth"))
3430                   {
3431                      StripQuotes(item.value, item.value);
3432                      frameCount = atoi(item.value);
3433                      activeFrame = null;
3434                      stackFrames.Free(Frame::Free);
3435                   }
3436                   else if(!strcmp(item.name, "stack"))
3437                   {
3438                      Frame frame;
3439                      if(stackFrames.count)
3440                         ide.callStackView.Logf("...\n");
3441                      else
3442                         activeFrame = null;
3443                      item.value = StripBrackets(item.value);
3444                      TokenizeList(item.value, ',', subTokens);
3445                      for(i = 0; i < subTokens.count; i++)
3446                      {
3447                         if(TokenizeListItem(subTokens[i], item))
3448                         {
3449                            if(!strcmp(item.name, "frame"))
3450                            {
3451                               frame = Frame { };
3452                               stackFrames.Add(frame);
3453                               item.value = StripCurlies(item.value);
3454                               ParseFrame(frame, item.value);
3455                               if(frame.file && frame.from)
3456                                  _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "unexpected frame file and from members present");
3457                               if(frame.file)
3458                               {
3459                                  char * s = null;
3460                                  if(activeFrameLevel == -1)
3461                                  {
3462                                     if(ide.projectView.IsModuleInProject(frame.file));
3463                                     {
3464                                        if(frame.level != 0)
3465                                        {
3466                                           //stopItem.frame = frame;
3467                                           breakType = selectFrame;
3468                                        }
3469                                        else
3470                                           activeFrame = frame;
3471                                        activeFrameLevel = frame.level;
3472                                     }
3473                                  }
3474                                  ide.callStackView.Logf("%3d ", frame.level);
3475                                  if(!strncmp(frame.func, "__ecereMethod_", strlen("__ecereMethod_")))
3476                                     ide.callStackView.Logf($"%s Method, %s:%d\n", &frame.func[strlen("__ecereMethod_")], (s = CopySystemPath(frame.file)), frame.line);
3477                                  else if(!strncmp(frame.func, "__ecereProp_", strlen("__ecereProp_")))
3478                                     ide.callStackView.Logf($"%s Property, %s:%d\n", &frame.func[strlen("__ecereProp_")], (s = CopySystemPath(frame.file)), frame.line);
3479                                  else if(!strncmp(frame.func, "__ecereConstructor_", strlen("__ecereConstructor_")))
3480                                     ide.callStackView.Logf($"%s Constructor, %s:%d\n", &frame.func[strlen("__ecereConstructor_")], (s = CopySystemPath(frame.file)), frame.line);
3481                                  else if(!strncmp(frame.func, "__ecereDestructor_", strlen("__ecereDestructor_")))
3482                                     ide.callStackView.Logf($"%s Destructor, %s:%d\n", &frame.func[strlen("__ecereDestructor_")], (s = CopySystemPath(frame.file)), frame.line);
3483                                  else
3484                                     ide.callStackView.Logf($"%s Function, %s:%d\n", frame.func, (s = CopySystemPath(frame.file)), frame.line);
3485                                  delete s;
3486                               }
3487                               else
3488                               {
3489                                  ide.callStackView.Logf("%3d ", frame.level);
3490
3491                                  if(frame.from)
3492                                  {
3493                                     char * s = null;
3494                                     ide.callStackView.Logf($"inside %s, %s\n", frame.func, (s = CopySystemPath(frame.from)));
3495                                     delete s;
3496                                  }
3497                                  else if(frame.func)
3498                                     ide.callStackView.Logf("%s\n", frame.func);
3499                                  else
3500                                     ide.callStackView.Logf($"unknown source\n");
3501                               }
3502                            }
3503                            else
3504                               _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "stack content (", item.name, "=", item.value, ") is unheard of");
3505                         }
3506                      }
3507                      if(activeFrameLevel == -1)
3508                      {
3509                         activeFrameLevel = 0;
3510                         activeFrame = stackFrames.first;
3511                      }
3512                      ide.callStackView.Home();
3513                      ide.Update(null);
3514                      subTokens.RemoveAll();
3515                   }
3516                   /*else if(!strcmp(item.name, "frame"))
3517                   {
3518                      Frame frame { };
3519                      item.value = StripCurlies(item.value);
3520                      ParseFrame(&frame, item.value);
3521                   }*/
3522                   else if(!strcmp(item.name, "thread-ids"))
3523                   {
3524                      ide.threadsView.Clear();
3525                      item.value = StripCurlies(item.value);
3526                      TokenizeList(item.value, ',', subTokens);
3527                      for(i = subTokens.count - 1; ; i--)
3528                      {
3529                         if(TokenizeListItem(subTokens[i], item))
3530                         {
3531                            if(!strcmp(item.name, "thread-id"))
3532                            {
3533                               int value;
3534                               StripQuotes(item.value, item.value);
3535                               value = atoi(item.value);
3536                               ide.threadsView.Logf("%3d \n", value);
3537                            }
3538                            else
3539                               _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "threads content (", item.name, "=", item.value, ") is unheard of");
3540                         }
3541                         if(!i)
3542                            break;
3543                      }
3544                      ide.threadsView.Home();
3545                      ide.Update(null);
3546                      subTokens.RemoveAll();
3547                      //if(!strcmp(outTokens[2], "number-of-threads"))
3548                   }
3549                   else if(!strcmp(item.name, "new-thread-id"))
3550                   {
3551                      StripQuotes(item.value, item.value);
3552                      activeThread = atoi(item.value);
3553                   }
3554                   else if(!strcmp(item.name, "value"))
3555                   {
3556                      StripQuotes(item.value, item.value);
3557                      eval.result = CopyString(item.value);
3558                      eval.active = false;
3559                   }
3560                   else if(!strcmp(item.name, "addr"))
3561                   {
3562                      for(i = 2; i < outTokens.count; i++)
3563                      {
3564                         if(TokenizeListItem(outTokens[i], item))
3565                         {
3566                            if(!strcmp(item.name, "total-bytes"))
3567                            {
3568                               StripQuotes(item.value, item.value);
3569                               eval.bytes = atoi(item.value);
3570                            }
3571                            else if(!strcmp(item.name, "next-row"))
3572                            {
3573                               StripQuotes(item.value, item.value);
3574                               eval.nextBlockAddress = _strtoui64(item.value, null, 0);
3575                            }
3576                            else if(!strcmp(item.name, "memory"))
3577                            {
3578                               int j;
3579                               //int value;
3580                               //StripQuotes(item.value, item.value);
3581                               item.value = StripBrackets(item.value);
3582                               // this should be treated as a list...
3583                               item.value = StripCurlies(item.value);
3584                               TokenizeList(item.value, ',', subTokens);
3585                               for(j = 0; j < subTokens.count; j++)
3586                               {
3587                                  if(TokenizeListItem(subTokens[j], item))
3588                                  {
3589                                     if(!strcmp(item.name, "data"))
3590                                     {
3591                                        item.value = StripBrackets(item.value);
3592                                        StripQuotes2(item.value, item.value);
3593                                        eval.result = CopyString(item.value);
3594                                        eval.active = false;
3595                                     }
3596                                  }
3597                               }
3598                               subTokens.RemoveAll();
3599                            }
3600                         }
3601                      }
3602                   }
3603                   else if(!strcmp(item.name, "source-path") || !strcmp(item.name, "BreakpointTable"))
3604                      _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "command reply (", item.name, "=", item.value, ") is ignored");
3605                   else
3606                      _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "command reply (", item.name, "=", item.value, ") is unheard of");
3607                }
3608             }
3609             else if(!strcmp(outTokens[0], "^running"))
3610             {
3611                waitingForPID = true;
3612                setWaitingForPID = true;
3613                ClearBreakDisplay();
3614             }
3615             else if(!strcmp(outTokens[0], "^exit"))
3616             {
3617                _ChangeState(terminated);
3618                // ide.outputView.debugBox.Logf("Exit\n");
3619                // ide.Update(null);
3620                gdbReady = true;
3621                serialSemaphore.Release();
3622             }
3623             else if(!strcmp(outTokens[0], "^error"))
3624             {
3625                if(sentBreakInsert)
3626                {
3627                   sentBreakInsert = false;
3628                   breakpointError = true;
3629                }
3630
3631                if(outTokens.count > 1 && TokenizeListItem(outTokens[1], item))
3632                {
3633                   if(!strcmp(item.name, "msg"))
3634                   {
3635                      StripQuotes(item.value, item.value);
3636                      if(eval.active)
3637                      {
3638                         eval.active = false;
3639                         eval.result = null;
3640                         if(strstr(item.value, "No symbol") && strstr(item.value, "in current context"))
3641                            eval.error = symbolNotFound;
3642                         else if(strstr(item.value, "Cannot access memory at address"))
3643                            eval.error = memoryCantBeRead;
3644                         else
3645                            eval.error = unknown;
3646                      }
3647                      else if(!strcmp(item.value, "Previous frame inner to this frame (corrupt stack?)"))
3648                      {
3649                      }
3650                      else if(!strncmp(item.value, "Cannot access memory at address", 31))
3651                      {
3652                      }
3653                      else if(!strcmp(item.value, "Cannot find bounds of current function"))
3654                      {
3655                         _ChangeState(stopped);
3656                         gdbHandle.Printf("-exec-continue\n");
3657                      }
3658                      else if(!strcmp(item.value, "ptrace: No such process."))
3659                      {
3660                         _ChangeState(loaded);
3661                         targetProcessId = 0;
3662                      }
3663                      else if(!strcmp(item.value, "Function \\\"WinMain\\\" not defined."))
3664                      {
3665                      }
3666                      else if(!strcmp(item.value, "You can't do that without a process to debug."))
3667                      {
3668                         _ChangeState(loaded);
3669                         targetProcessId = 0;
3670                      }
3671                      else if(strstr(item.value, "No such file or directory."))
3672                      {
3673                         _ChangeState(loaded);
3674                         targetProcessId = 0;
3675                      }
3676                      else if(strstr(item.value, "During startup program exited with code "))
3677                      {
3678                         _ChangeState(loaded);
3679                         targetProcessId = 0;
3680                      }
3681                      else
3682                      {
3683 #ifdef _DEBUG
3684                         if(strlen(item.value) < MAX_F_STRING)
3685                         {
3686                            char * s = null;
3687                            ide.outputView.debugBox.Logf("GDB: %s\n", (s = CopyUnescapedString(item.value)));
3688                            delete s;
3689                         }
3690                         else
3691                            ide.outputView.debugBox.Logf("GDB: %s\n", item.value);
3692 #endif
3693                      }
3694                   }
3695                }
3696                else
3697                   _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "error content (", item.name, "=", item.value, ") is unheard of");
3698             }
3699             else
3700                _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "result-record: ", outTokens[0]);
3701             outTokens.RemoveAll();
3702             break;
3703          case '+':
3704             _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "status-async-output: ", outTokens[0]);
3705             break;
3706          case '=':
3707             if(TokenizeList(output, ',', outTokens))
3708             {
3709                if(!strcmp(outTokens[0], "=library-loaded"))
3710                   FGODetectLoadedLibraryForAddedProjectIssues(outTokens, false);
3711                else if(!strcmp(outTokens[0], "=shlibs-added"))
3712                   FGODetectLoadedLibraryForAddedProjectIssues(outTokens, true);
3713                else if(!strcmp(outTokens[0], "=thread-group-created") || !strcmp(outTokens[0], "=thread-group-added") ||
3714                         !strcmp(outTokens[0], "=thread-group-started") || !strcmp(outTokens[0], "=thread-group-exited") ||
3715                         !strcmp(outTokens[0], "=thread-created") || !strcmp(outTokens[0], "=thread-exited") ||
3716                         !strcmp(outTokens[0], "=cmd-param-changed") || !strcmp(outTokens[0], "=library-unloaded") ||
3717                         !strcmp(outTokens[0], "=breakpoint-modified"))
3718                   _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, outTokens[0], outTokens.count>1 ? outTokens[1] : "",
3719                            outTokens.count>2 ? outTokens[2] : "", outTokens.count>3 ? outTokens[3] : "",
3720                            outTokens.count>4 ? outTokens[4] : "", outTokens.count>5 ? outTokens[5] : "",
3721                            outTokens.count>6 ? outTokens[6] : "", outTokens.count>7 ? outTokens[7] : "",
3722                            outTokens.count>8 ? outTokens[8] : "", outTokens.count>9 ? outTokens[9] : "");
3723                else
3724                   _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "notify-async-output: ", outTokens[0]);
3725             }
3726             outTokens.RemoveAll();
3727             break;
3728          case '*':
3729             gdbReady = false;
3730             if(TokenizeList(output, ',', outTokens))
3731             {
3732                if(!strcmp(outTokens[0],"*running"))
3733                {
3734                   waitingForPID = true;
3735                   setWaitingForPID = true;
3736                }
3737                else if(!strcmp(outTokens[0], "*stopped"))
3738                {
3739                   int tk;
3740                   _ChangeState(stopped);
3741
3742                   for(tk = 1; tk < outTokens.count; tk++)
3743                   {
3744                      if(TokenizeListItem(outTokens[tk], item))
3745                      {
3746                         if(!strcmp(item.name, "reason"))
3747                         {
3748                            char * reason = item.value;
3749                            StripQuotes(reason, reason);
3750                            if(!strcmp(reason, "exited-normally") || !strcmp(reason, "exited") || !strcmp(reason, "exited-signalled"))
3751                            {
3752                               char * exitCode;
3753                               if(outTokens.count > tk+1 && TokenizeListItem(outTokens[tk+1], item2))
3754                               {
3755                                  tk++;
3756                                  StripQuotes(item2.value, item2.value);
3757                                  if(!strcmp(item2.name, "exit-code"))
3758                                     exitCode = item2.value;
3759                                  else
3760                                     exitCode = null;
3761                               }
3762                               else
3763                                  exitCode = null;
3764                               HandleExit(reason, exitCode);
3765                               needReset = true;
3766                            }
3767                            else if(!strcmp(reason, "breakpoint-hit") ||
3768                                    !strcmp(reason, "function-finished") ||
3769                                    !strcmp(reason, "end-stepping-range") ||
3770                                    !strcmp(reason, "location-reached") ||
3771                                    !strcmp(reason, "signal-received"))
3772                            {
3773                               char r = reason[0];
3774 #ifdef _DEBUG
3775                               if(stopItem) _dpl(0, "problem");
3776 #endif
3777                               stopItem = GdbDataStop { };
3778                               stopItem.reason = r == 'b' ? breakpointHit : r == 'f' ? functionFinished : r == 'e' ? endSteppingRange : r == 'l' ? locationReached : signalReceived;
3779
3780                               for(i = tk+1; i < outTokens.count; i++)
3781                               {
3782                                  TokenizeListItem(outTokens[i], item);
3783                                  StripQuotes(item.value, item.value);
3784                                  if(!strcmp(item.name, "thread-id"))
3785                                     stopItem.threadid = atoi(item.value);
3786                                  else if(!strcmp(item.name, "frame"))
3787                                  {
3788                                     item.value = StripCurlies(item.value);
3789                                     ParseFrame(stopItem.frame, item.value);
3790                                  }
3791                                  else if(stopItem.reason == breakpointHit && !strcmp(item.name, "bkptno"))
3792                                     stopItem.bkptno = atoi(item.value);
3793                                  else if(stopItem.reason == functionFinished && !strcmp(item.name, "gdb-result-var"))
3794                                     stopItem.gdbResultVar = CopyString(item.value);
3795                                  else if(stopItem.reason == functionFinished && !strcmp(item.name, "return-value"))
3796                                     stopItem.returnValue = CopyString(item.value);
3797                                  else if(stopItem.reason == signalReceived && !strcmp(item.name, "signal-name"))
3798                                     stopItem.name = CopyString(item.value);
3799                                  else if(stopItem.reason == signalReceived && !strcmp(item.name, "signal-meaning"))
3800                                     stopItem.meaning = CopyString(item.value);
3801                                  else if(!strcmp(item.name, "stopped-threads"))
3802                                     _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, reason, ": Advanced thread debugging not handled");
3803                                  else if(!strcmp(item.name, "core"))
3804                                     _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, reason, ": Information (core) not used");
3805                                  else if(!strcmp(item.name, "disp"))
3806                                     _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, reason, ": (", item.name, "=", item.value, ")");
3807                                  else
3808                                     _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "Unknown ", reason, " item name (", item.name, "=", item.value, ")");
3809                               }
3810
3811                               if(stopItem.reason == signalReceived && !strcmp(stopItem.name, "SIGTRAP"))
3812                               {
3813                                  switch(breakType)
3814                                  {
3815                                     case internal:
3816                                        breakType = none;
3817                                        break;
3818                                     case restart:
3819                                     case stop:
3820                                        break;
3821                                     default:
3822                                        event = breakEvent;
3823                                  }
3824                               }
3825                               else
3826                               {
3827                                  event = r == 'b' ? hit : r == 'f' ? functionEnd : r == 'e' ? stepEnd : r == 'l' ? locationReached : signal;
3828                                  ide.Update(null);
3829                               }
3830                            }
3831                            else if(!strcmp(reason, "watchpoint-trigger"))
3832                               _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "Reason watchpoint trigger not handled");
3833                            else if(!strcmp(reason, "read-watchpoint-trigger"))
3834                               _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "Reason read watchpoint trigger not handled");
3835                            else if(!strcmp(reason, "access-watchpoint-trigger"))
3836                               _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "Reason access watchpoint trigger not handled");
3837                            else if(!strcmp(reason, "watchpoint-scope"))
3838                               _dpl2(_dpct, dplchan::gdbProtoIgnored, 0, "Reason watchpoint scope not handled");
3839                            else
3840                               _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "Unknown reason: ", reason);
3841                         }
3842                         else
3843                         {
3844                            PrintLn(output);
3845                         }
3846                      }
3847                   }
3848                   if(usingValgrind && event == none && !stopItem)
3849                      event = valgrindStartPause;
3850                   app.SignalEvent();
3851                }
3852             }
3853             else
3854                _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, "Unknown exec-async-output: ", outTokens[0]);
3855             outTokens.RemoveAll();
3856             break;
3857          case '(':
3858             if(!strcmpi(output, "(gdb) "))
3859             {
3860                if(waitingForPID)
3861                {
3862                   Time startTime = GetTime();
3863                   char exeFile[MAX_LOCATION];
3864                   int oldProcessID = targetProcessId;
3865                   GetLastDirectory(targetFile, exeFile);
3866
3867                   while(!targetProcessId/*true*/)
3868                   {
3869                      targetProcessId = Process_GetChildExeProcessId(gdbProcessId, exeFile);
3870                      if(targetProcessId) break;
3871                      // Can't break on Peek(), GDB is giving us =library and other info before the process is listed in /proc
3872                      // if(gdbHandle.Peek()) break;
3873                      Sleep(0.01);
3874                      if(gdbHandle.Peek() && GetTime() - startTime > 2.5)  // Give the process 2.5 seconds to show up in /proc
3875                         break;
3876                   }
3877
3878                   if(targetProcessId)
3879                      _ChangeState(running);
3880                   else if(!oldProcessID)
3881                   {
3882                      ide.outputView.debugBox.Logf($"Debugger Error: No target process ID\n");
3883                      // TO VERIFY: The rest of this block has not been thoroughly tested in this particular location
3884                      gdbHandle.Printf("-gdb-exit\n");
3885                      gdbTimer.Stop();
3886                      _ChangeState(terminated); //loaded;
3887                      prjConfig = null;
3888
3889                      if(ide.workspace)
3890                      {
3891                         for(bp : ide.workspace.breakpoints)
3892                            bp.inserted = false;
3893                      }
3894                      for(bp : sysBPs)
3895                         bp.inserted = false;
3896                      if(bpRunToCursor)
3897                         bpRunToCursor.inserted = false;
3898
3899                      ide.outputView.debugBox.Logf($"Debugging stopped\n");
3900                      ClearBreakDisplay();
3901
3902                #if defined(__unix__)
3903                      if(!usingValgrind && FileExists(progFifoPath)) //fileCreated)
3904                      {
3905                         progThread.terminate = true;
3906                         if(fifoFile)
3907                         {
3908                            fifoFile.CloseInput();
3909                            app.Unlock();
3910                            progThread.Wait();
3911                            app.Lock();
3912                            delete fifoFile;
3913                         }
3914
3915                         DeleteFile(progFifoPath);
3916                         progFifoPath[0] = '\0';
3917                         rmdir(progFifoDir);
3918                      }
3919                #endif
3920                   }
3921                }
3922                gdbReady = true;
3923                serialSemaphore.Release();
3924             }
3925             else
3926                _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, $"Unknown prompt", output);
3927
3928             break;
3929          case '&':
3930             if(!strncmp(output, "&\"warning:", 10))
3931             {
3932                char * content;
3933                content = strstr(output, "\"");
3934                StripQuotes(content, content);
3935                content = strstr(content, ":");
3936                if(content)
3937                   content++;
3938                if(content)
3939                {
3940                   char * s = null;
3941                   ide.outputView.debugBox.LogRaw((s = CopyUnescapedString(content)));
3942                   delete s;
3943                   ide.Update(null);
3944                }
3945             }
3946             break;
3947          default:
3948             _dpl2(_dpct, dplchan::gdbProtoUnknown, 0, $"Unknown output: ", output);
3949       }
3950       if(!setWaitingForPID)
3951          waitingForPID = false;
3952       setWaitingForPID = false;
3953
3954       delete outTokens;
3955       delete subTokens;
3956       delete item;
3957       delete item2;
3958    }
3959
3960    // From GDB Output functions
3961    void FGODetectLoadedLibraryForAddedProjectIssues(Array<char *> outTokens, bool shlibs)
3962    {
3963       char path[MAX_LOCATION] = "";
3964       char file[MAX_FILENAME] = "";
3965       bool symbolsLoaded = false;
3966       DebugListItem item { };
3967       //_dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::FGODetectLoadedLibraryForAddedProjectIssues()");
3968       for(token : outTokens)
3969       {
3970          if(TokenizeListItem(token, item))
3971          {
3972             if(!strcmp(item.name, "target-name"))
3973             {
3974                StripQuotes(item.value, path);
3975                MakeSystemPath(path);
3976                GetLastDirectory(path, file);
3977             }
3978             else if(!strcmp(item.name, "symbols-loaded"))
3979             {
3980                symbolsLoaded = (atoi(item.value) == 1);
3981             }
3982             else if(!strcmp(item.name, "shlib-info"))
3983             {
3984                DebugListItem subItem { };
3985                Array<char *> tokens { minAllocSize = 50 };
3986                item.value = StripBrackets(item.value);
3987                TokenizeList(item.value, ',', tokens);
3988                for(t : tokens)
3989                {
3990                   if(TokenizeListItem(t, subItem))
3991                   {
3992                      if(!strcmp(subItem.name, "path"))
3993                      {
3994                         StripQuotes(subItem.value, path);
3995                         MakeSystemPath(path);
3996                         GetLastDirectory(path, file);
3997                         symbolsLoaded = true;
3998                      }
3999                   }
4000                }
4001                tokens.RemoveAll();
4002                delete tokens;
4003                delete subItem;
4004             }
4005          }
4006       }
4007       delete item;
4008       if(path[0] && file[0])
4009       {
4010          for(prj : ide.workspace.projects; prj != ide.workspace.projects.firstIterator.data)
4011          {
4012             bool match;
4013             char * dot;
4014             char prjTargetPath[MAX_LOCATION];
4015             char prjTargetFile[MAX_FILENAME];
4016             DirExpression targetDirExp = prj.GetTargetDir(currentCompiler, prj.config, bitDepth);
4017             strcpy(prjTargetPath, prj.topNode.path);
4018             PathCat(prjTargetPath, targetDirExp.dir);
4019             delete targetDirExp;
4020             prjTargetFile[0] = '\0';
4021             prj.CatTargetFileName(prjTargetFile, currentCompiler, prj.config);
4022             PathCat(prjTargetPath, prjTargetFile);
4023             MakeSystemPath(prjTargetPath);
4024
4025             match = !fstrcmp(prjTargetFile, file);
4026             if(!match && (dot = strstr(prjTargetFile, ".so.")))
4027             {
4028                char * dot3 = strstr(dot+4, ".");
4029                if(dot3)
4030                {
4031                   dot3[0] = '\0';
4032                   match = !fstrcmp(prjTargetFile, file);
4033                }
4034                if(!match)
4035                {
4036                   dot[3] = '\0';
4037                   match = !fstrcmp(prjTargetFile, file);
4038                }
4039             }
4040             if(match)
4041             {
4042                // TODO: nice visual feedback to better warn user. use some ide notification system or other means.
4043                /* -- this is disabled because we can't trust gdb's symbols-loaded="0" field for =library-loaded (http://sourceware.org/bugzilla/show_bug.cgi?id=10693)
4044                if(!symbolsLoaded)
4045                   ide.outputView.debugBox.Logf($"Attention! No symbols for loaded library %s matched to the %s added project.\n", path, prj.topNode.name);
4046                */
4047                match = !fstrcmp(prjTargetPath, path);
4048                if(!match && (dot = strstr(prjTargetPath, ".so.")))
4049                {
4050                   char * dot3 = strstr(dot+4, ".");
4051                   if(dot3)
4052                   {
4053                      dot3[0] = '\0';
4054                      match = !fstrcmp(prjTargetPath, path);
4055                   }
4056                   if(!match)
4057                   {
4058                      dot[3] = '\0';
4059                      match = !fstrcmp(prjTargetPath, path);
4060                   }
4061                }
4062                if(match)
4063                   projectsLibraryLoaded[prj.name] = true;
4064                else
4065                   ide.outputView.debugBox.Logf($"Loaded library %s doesn't match the %s target of the %s added project.\n", path, prjTargetPath, prj.topNode.name);
4066                break;
4067             }
4068          }
4069       }
4070    }
4071
4072    void FGOBreakpointModified(Array<char *> outTokens)
4073    {
4074       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::FGOBreakpointModified() -- TODO only if needed: support breakpoint modified");
4075 #if 0
4076       DebugListItem item { };
4077       if(outTokens.count > 1 && TokenizeListItem(outTokens[1], item))
4078       {
4079          if(!strcmp(item.name, "bkpt"))
4080          {
4081             GdbDataBreakpoint modBp = ParseBreakpoint(item.value, outTokens);
4082             delete modBp;
4083          }
4084       }
4085 #endif
4086    }
4087
4088
4089    ExpressionType ::DebugEvalExpTypeError(char * result)
4090    {
4091       _dpl2(_dpct, dplchan::debuggerWatches, 0, "Debugger::DebugEvalExpTypeError()");
4092       if(result)
4093          return dummyExp;
4094       switch(eval.error)
4095       {
4096          case symbolNotFound:
4097             return symbolErrorExp;
4098          case memoryCantBeRead:
4099             return memoryErrorExp;
4100       }
4101       return unknownErrorExp;
4102    }
4103
4104    char * ::EvaluateExpression(char * expression, ExpressionType * error)
4105    {
4106       char * result;
4107       _dpl2(_dpct, dplchan::debuggerWatches, 0, "Debugger::EvaluateExpression(", expression, ")");
4108       if(ide.projectView && ide.debugger.state == stopped)
4109       {
4110          result = GdbEvaluateExpression(expression);
4111          *error = DebugEvalExpTypeError(result);
4112       }
4113       else
4114       {
4115          result = null;
4116          *error = noDebuggerErrorExp;
4117       }
4118       return result;
4119    }
4120
4121    char * ::ReadMemory(uint64 address, int size, char format, ExpressionType * error)
4122    {
4123       // check for state
4124       char * result = GdbReadMemoryString(address, size, format, 1, 1);
4125       _dpl2(_dpct, dplchan::debuggerCall, 0, "Debugger::ReadMemory(", address, ")");
4126       if(!result || !strcmp(result, "N/A"))
4127          *error = memoryErrorExp;
4128       else
4129          *error = DebugEvalExpTypeError(result);
4130       return result;
4131    }
4132 }
4133
4134 class ValgrindLogThread : Thread
4135 {
4136    Debugger debugger;
4137
4138    unsigned int Main()
4139    {
4140       static char output[4096];
4141       bool lastLineEmpty = true;
4142       Array<char> dynamicBuffer { minAllocSize = 4096 };
4143       File oldValgrindHandle = vgLogFile;
4144       incref oldValgrindHandle;
4145
4146       app.Lock();
4147       while(debugger.state != terminated && vgLogFile && vgLogFile.input)
4148       {
4149          int result = 0;
4150          app.Unlock();
4151          if(vgLogFile)
4152             result = vgLogFile.Read(output, 1, sizeof(output));
4153          app.Lock();
4154          if(debugger.state == terminated || !vgLogFile) // || vgLogFile.Eof()
4155             break;
4156          if(result)
4157          {
4158             int c;
4159             int start = 0;
4160
4161             for(c = 0; c<result; c++)
4162             {
4163                if(output[c] == '\n')
4164                {
4165                   int pos = dynamicBuffer.size;
4166                   dynamicBuffer.size += c - start;
4167                   memcpy(&dynamicBuffer[pos], output + start, c - start);
4168                   if(dynamicBuffer.count && dynamicBuffer[dynamicBuffer.count - 1] != '\r')
4169                      dynamicBuffer.size++;
4170                   dynamicBuffer[dynamicBuffer.count - 1] = '\0';
4171 #ifdef _DEBUG
4172                   // printf("%s\n", dynamicBuffer.array);
4173 #endif
4174                   if(strstr(&dynamicBuffer[0], "vgdb me ..."))
4175                      debugger.serialSemaphore.Release();
4176                   {
4177                      char * s = strstr(&dynamicBuffer[0], "==");
4178                      if(s)
4179                         s = strstr(s+2, "== ");
4180                      if(s)
4181                      {
4182                         s += 3;
4183                         if(s[0] == '\0' && !lastLineEmpty)
4184                         {
4185                            s = null;
4186                            lastLineEmpty = true;
4187                            dynamicBuffer[0] = '\0';
4188                         }
4189                      }
4190                      if(s)
4191                      {
4192                         char * t = s;
4193                         switch(s[0])
4194                         {
4195                            case '(':
4196                               if(strstr(s, "vgdb me ..."))
4197                               {
4198                                  if(strstr(s, "(action on error) vgdb me ..."))
4199                                     ide.outputView.debugBox.Logf($"...breaked on Valgrind error (F5 to resume)\n");
4200                                  s[0] = '\0';
4201                               }
4202                               else
4203                                  s = null;
4204                               break;
4205                            case 'T':
4206                               if(strstr(s, "TO DEBUG THIS PROCESS USING GDB: start GDB like this"))
4207                                  s[0] = '\0';
4208                               else
4209                                  s = null;
4210                               break;
4211                            case 'a':
4212                               if(strstr(s, "and then give GDB the following command"))
4213                                  s[0] = '\0';
4214                               else
4215                                  s = null;
4216                               break;
4217                            case ' ':
4218                               if(strstr(s, "/path/to/gdb") || strstr(s, "target remote | /usr/lib/valgrind/../../bin/vgdb --pid="))
4219                                  s[0] = '\0';
4220                               else
4221                                  s = null;
4222                               break;
4223                            case '-':
4224                               if(strstr(s, "--pid is optional if only one valgrind process is running"))
4225                                  s[0] = '\0';
4226                               else
4227                                  s = null;
4228                               break;
4229                            case 'U':
4230                               if((s = strstr(s, "; rerun with -h for copyright info")))
4231                               {
4232                                  s[0] = '\0';
4233                                  s = null;
4234                               }
4235                               break;
4236                            case '\0':
4237                               break;
4238                            default:
4239                               s = null;
4240                               break;
4241                         }
4242                         if(lastLineEmpty && t[0] != '\0')
4243                            lastLineEmpty = false;
4244                      }
4245                      if(!s)
4246                         ide.outputView.debugBox.Logf("%s\n", &dynamicBuffer[0]);
4247                   }
4248                   dynamicBuffer.size = 0;
4249                   start = c + 1;
4250                }
4251             }
4252             if(c == result)
4253             {
4254                int pos = dynamicBuffer.size;
4255                dynamicBuffer.size += c - start;
4256                memcpy(&dynamicBuffer[pos], output + start, c - start);
4257             }
4258          }
4259          else if(debugger.state == stopped)
4260          {
4261 /*#ifdef _DEBUG
4262             printf("Got end of file from GDB!\n");
4263 #endif*/
4264             app.Unlock();
4265             Sleep(0.2);
4266             app.Lock();
4267          }
4268       }
4269       delete dynamicBuffer;
4270       _dpl2(_dpct, dplchan::debuggerCall, 0, "ValgrindLogThreadExit");
4271       //if(oldValgrindHandle == vgLogFile)
4272          debugger.GdbThreadExit/*ValgrindLogThreadExit*/();
4273       delete oldValgrindHandle;
4274       app.Unlock();
4275       return 0;
4276    }
4277 }
4278
4279 class ValgrindTargetThread : Thread
4280 {
4281    Debugger debugger;
4282
4283    unsigned int Main()
4284    {
4285       static char output[4096];
4286       Array<char> dynamicBuffer { minAllocSize = 4096 };
4287       DualPipe oldValgrindHandle = vgTargetHandle;
4288       incref oldValgrindHandle;
4289
4290       app.Lock();
4291       while(debugger.state != terminated && vgTargetHandle && !vgTargetHandle.Eof())
4292       {
4293          int result;
4294          app.Unlock();
4295          result = vgTargetHandle.Read(output, 1, sizeof(output));
4296          app.Lock();
4297          if(debugger.state == terminated || !vgTargetHandle || vgTargetHandle.Eof())
4298             break;
4299          if(result)
4300          {
4301             int c;
4302             int start = 0;
4303
4304             for(c = 0; c<result; c++)
4305             {
4306                if(output[c] == '\n')
4307                {
4308                   int pos = dynamicBuffer.size;
4309                   dynamicBuffer.size += c - start;
4310                   memcpy(&dynamicBuffer[pos], output + start, c - start);
4311                   if(dynamicBuffer.count && dynamicBuffer[dynamicBuffer.count - 1] != '\r')
4312                   // COMMENTED OUT DUE TO ISSUE #135, FIXED
4313                   //if(dynamicBuffer.array[dynamicBuffer.count - 1] != '\r')
4314                      dynamicBuffer.size++;
4315                   dynamicBuffer[dynamicBuffer.count - 1] = '\0';
4316 #ifdef _DEBUG
4317                   // printf("%s\n", dynamicBuffer.array);
4318 #endif
4319                   ide.outputView.debugBox.Logf("%s\n", &dynamicBuffer[0]);
4320
4321                   dynamicBuffer.size = 0;
4322                   start = c + 1;
4323                }
4324             }
4325             if(c == result)
4326             {
4327                int pos = dynamicBuffer.size;
4328                dynamicBuffer.size += c - start;
4329                memcpy(&dynamicBuffer[pos], output + start, c - start);
4330             }
4331          }
4332          else
4333          {
4334 #ifdef _DEBUG
4335             printf("Got end of file from GDB!\n");
4336 #endif
4337          }
4338       }
4339       delete dynamicBuffer;
4340       //if(oldValgrindHandle == vgTargetHandle)
4341          debugger.ValgrindTargetThreadExit();
4342       delete oldValgrindHandle;
4343       app.Unlock();
4344       return 0;
4345    }
4346 }
4347
4348 class GdbThread : Thread
4349 {
4350    Debugger debugger;
4351
4352    unsigned int Main()
4353    {
4354       static char output[4096];
4355       Array<char> dynamicBuffer { minAllocSize = 4096 };
4356       DualPipe oldGdbHandle = gdbHandle;
4357       incref oldGdbHandle;
4358
4359       app.Lock();
4360       while(debugger.state != terminated && gdbHandle && !gdbHandle.Eof())
4361       {
4362          int result;
4363          app.Unlock();
4364          result = gdbHandle.Read(output, 1, sizeof(output));
4365          app.Lock();
4366          if(debugger.state == terminated || !gdbHandle || gdbHandle.Eof())
4367             break;
4368          if(result)
4369          {
4370             int c;
4371             int start = 0;
4372
4373             for(c = 0; c<result; c++)
4374             {
4375                if(output[c] == '\n')
4376                {
4377                   int pos = dynamicBuffer.size;
4378                   dynamicBuffer.size += c - start;
4379                   memcpy(&dynamicBuffer[pos], output + start, c - start);
4380                   if(dynamicBuffer.count && dynamicBuffer[dynamicBuffer.count - 1] != '\r')
4381                   // COMMENTED OUT DUE TO ISSUE #135, FIXED
4382                   //if(dynamicBuffer.array[dynamicBuffer.count - 1] != '\r')
4383                      dynamicBuffer.size++;
4384                   dynamicBuffer[dynamicBuffer.count - 1] = '\0';
4385 #ifdef _DEBUG
4386                   // _dpl(0, dynamicBuffer.array);
4387 #endif
4388                   debugger.GdbThreadMain(&dynamicBuffer[0]);
4389                   dynamicBuffer.size = 0;
4390                   start = c + 1;
4391                }
4392             }
4393             if(c == result)
4394             {
4395                int pos = dynamicBuffer.size;
4396                dynamicBuffer.size += c - start;
4397                memcpy(&dynamicBuffer[pos], output + start, c - start);
4398             }
4399          }
4400          else
4401          {
4402 #ifdef _DEBUG
4403             _dpl(0, "Got end of file from GDB!");
4404 #endif
4405          }
4406       }
4407       delete dynamicBuffer;
4408       //if(oldGdbHandle == gdbHandle)
4409          debugger.GdbThreadExit();
4410       delete oldGdbHandle;
4411       app.Unlock();
4412       return 0;
4413    }
4414 }
4415
4416 static define createFIFOMsg = $"err: Unable to create FIFO %s\n";
4417 static define openFIFOMsg = $"err: Unable to open FIFO %s for read\n";
4418
4419 #if defined(__unix__)
4420 #define uint _uint
4421 #include <errno.h>
4422 #include <stdio.h>
4423 #include <fcntl.h>
4424 #include <sys/types.h>
4425 #undef uint
4426
4427 File fifoFile;
4428
4429 class ProgramThread : Thread
4430 {
4431    bool terminate;
4432    unsigned int Main()
4433    {
4434       bool result = true;
4435       bool fileCreated = false;
4436       mode_t mask = 0600;
4437       static char output[1000];
4438       int fd;
4439
4440       /*if(!mkfifo(progFifoPath, mask))
4441       {
4442          fileCreated = true;
4443       }
4444       else
4445       {
4446          app.Lock();
4447          ide.outputView.debugBox.Logf($"err: Unable to create FIFO %s\n", progFifoPath);
4448          app.Unlock();
4449       }*/
4450
4451       if(FileExists(progFifoPath)) //fileCreated)
4452       {
4453          fifoFile = FileOpen(progFifoPath, read);
4454          if(!fifoFile)
4455          {
4456             app.Lock();
4457             ide.outputView.debugBox.Logf(openFIFOMsg, progFifoPath);
4458             app.Unlock();
4459          }
4460          else
4461          {
4462             fd = fileno((FILE *)fifoFile.input);
4463             //fcntl(fd, F_SETFL, fcntl(fd, F_GETFL) | O_NONBLOCK);
4464          }
4465       }
4466
4467       while(!terminate && fifoFile && !fifoFile.Eof())
4468       {
4469          fd_set rs, es;
4470          struct timeval time;
4471          int selectResult;
4472          time.tv_sec = 1;
4473          time.tv_usec = 0;
4474          FD_ZERO(&rs);
4475          FD_ZERO(&es);
4476          FD_SET(fd, &rs);
4477          FD_SET(fd, &es);
4478          selectResult = select(fd + 1, &rs, null, null, &time);
4479          if(FD_ISSET(fd, &rs))
4480          {
4481             int result = (int)read(fd, output, sizeof(output)-1);
4482             if(!result || (result < 0 && errno != EAGAIN))
4483                break;
4484             if(result > 0)
4485             {
4486                output[result] = '\0';
4487                if(strcmp(output,"&\"warning: GDB: Failed to set controlling terminal: Invalid argument\\n\"\n"))
4488                {
4489                   app.Lock();
4490                   ide.outputView.debugBox.Log(output);
4491                   app.Unlock();
4492                }
4493             }
4494          }
4495       }
4496
4497       //if(fifoFile)
4498       {
4499          //fifoFile.CloseInput();
4500          //delete fifoFile;
4501          app.Lock();
4502          ide.outputView.debugBox.Log("\n");
4503          app.Unlock();
4504       }
4505       /*
4506       if(FileExists(progFifoPath)) //fileCreated)
4507       {
4508          DeleteFile(progFifoPath);
4509          progFifoPath[0] = '\0';
4510       }
4511       */
4512       return 0;
4513    }
4514 }
4515 #endif
4516
4517 class Argument : struct
4518 {
4519    Argument prev, next;
4520    char * name;
4521    property char * name { set { delete name; if(value) name = CopyString(value); } }
4522    char * val;
4523    property char * val { set { delete val; if(value) val = CopyString(value); } }
4524
4525    void Free()
4526    {
4527       delete name;
4528       delete val;
4529    }
4530
4531    ~Argument()
4532    {
4533       Free();
4534    }
4535 }
4536
4537 class Frame : struct
4538 {
4539    Frame prev, next;
4540    int level;
4541    char * addr;
4542    property char * addr { set { delete addr; if(value) addr = CopyString(value); } }
4543    char * func;
4544    property char * func { set { delete func; if(value) func = CopyString(value); } }
4545    int argsCount;
4546    OldList args;
4547    char * from;
4548    property char * from { set { delete from; if(value) from = CopyUnescapedUnixPath(value); } }
4549    char * file;
4550    property char * file { set { delete file; if(value) file = CopyUnescapedUnixPath(value); } }
4551    char * absoluteFile;
4552    property char * absoluteFile { set { delete absoluteFile; if(value) absoluteFile = CopyUnescapedUnixPath(value); } }
4553    int line;
4554
4555    void Free()
4556    {
4557       delete addr;
4558       delete func;
4559       delete from;
4560       delete file;
4561       delete absoluteFile;
4562       args.Free(Argument::Free);
4563    }
4564
4565    ~Frame()
4566    {
4567       Free();
4568    }
4569 }
4570
4571 class GdbDataStop : struct
4572 {
4573    DebuggerReason reason;
4574    int threadid;
4575    union
4576    {
4577       struct
4578       {
4579          int bkptno;
4580       };
4581       struct
4582       {
4583          char * name;
4584          char * meaning;
4585       };
4586       struct
4587       {
4588          char * gdbResultVar;
4589          char * returnValue;
4590       };
4591    };
4592    Frame frame { };
4593
4594    void Free()
4595    {
4596       if(reason)
4597       {
4598          if(reason == signalReceived)
4599          {
4600             delete name;
4601             delete meaning;
4602          }
4603          else if(reason == functionFinished)
4604          {
4605             delete gdbResultVar;
4606             delete returnValue;
4607          }
4608       }
4609       if(frame) frame.Free();
4610    }
4611
4612    ~GdbDataStop()
4613    {
4614       Free();
4615    }
4616 }
4617
4618 class GdbDataBreakpoint : struct
4619 {
4620    int id;
4621    char * number;
4622    property char * number { set { delete number; if(value) number = CopyString(value); } }
4623    char * type;
4624    property char * type { set { delete type; if(value) type = CopyString(value); } }
4625    char * disp;
4626    property char * disp { set { delete disp; if(value) disp = CopyString(value); } }
4627    bool enabled;
4628    char * addr;
4629    property char * addr { set { delete addr; if(value) addr = CopyString(value); } }
4630    char * func;
4631    property char * func { set { delete func; if(value) func = CopyString(value); } }
4632    char * file;
4633    property char * file { set { delete file; if(value) file = CopyUnescapedUnixPath(value); } }
4634    char * fullname;
4635    property char * fullname { set { delete fullname; if(value) fullname = CopyUnescapedUnixPath(value); } }
4636    int line;
4637    char * at;
4638    property char * at { set { delete at; if(value) at = CopyString(value); } }
4639    int times;
4640
4641    Array<GdbDataBreakpoint> multipleBPs;
4642
4643    void Print()
4644    {
4645    _dpl(0, "");
4646       PrintLn("{", "#", number, " T", type, " D", disp, " E", enabled, " H", times, " (", func, ") (", file, ":", line, ") (", fullname, ") (", addr, ") (", at, ")", "}");
4647    }
4648
4649    void Free()
4650    {
4651       delete type;
4652       delete disp;
4653       delete addr;
4654       delete func;
4655       delete file;
4656       delete at;
4657       if(multipleBPs) multipleBPs.Free();
4658       delete multipleBPs;
4659       delete number;
4660       delete fullname;
4661    }
4662
4663    ~GdbDataBreakpoint()
4664    {
4665       Free();
4666    }
4667 }
4668
4669 class Breakpoint : struct
4670 {
4671    class_no_expansion;
4672
4673    char * function;
4674    property char * function { set { delete function; if(value) function = CopyString(value); } }
4675    char * relativeFilePath;
4676    property char * relativeFilePath { set { delete relativeFilePath; if(value) relativeFilePath = CopyString(value); } }
4677    char * absoluteFilePath;
4678    property char * absoluteFilePath { set { delete absoluteFilePath; if(value) absoluteFilePath = CopyString(value); } }
4679    char * location;
4680    property char * location { set { delete location; if(value) location = CopyString(value); } }
4681    int line;
4682    bool enabled;
4683    int hits;
4684    int breaks;
4685    int ignore;
4686    int level;
4687    Watch condition;
4688    bool inserted;
4689    BreakpointType type;
4690    DataRow row;
4691    GdbDataBreakpoint bp;
4692    Project project;
4693    char * address;
4694    property char * address { set { delete address; if(value) address = CopyString(value); } }
4695
4696    void ParseLocation()
4697    {
4698       char * prjName = null;
4699       char * filePath = null;
4700       char * file;
4701       char * line;
4702       char fullPath[MAX_LOCATION];
4703       if(location[0] == '(' && location[1] && (file = strchr(location+2, ')')) && file[1])
4704       {
4705          prjName = new char[file-location];
4706          strncpy(prjName, location+1, file-location-1);
4707          prjName[file-location-1] = '\0';
4708          file++;
4709       }
4710       else
4711          file = location;
4712       if((line = strchr(file+1, ':')))
4713       {
4714          filePath = new char[strlen(file)+1];
4715          strncpy(filePath, file, line-file);
4716          filePath[line-file] = '\0';
4717          line++;
4718       }
4719       else
4720          filePath = CopyString(file);
4721       property::relativeFilePath = filePath;
4722       if(prjName)
4723       {
4724          for(prj : ide.workspace.projects)
4725          {
4726             if(!strcmp(prjName, prj.name))
4727             {
4728                if(ProjectGetAbsoluteFromRelativePath(prj, filePath, fullPath))
4729                {
4730                   property::absoluteFilePath = fullPath;
4731                   project = prj;
4732                   break;
4733                }
4734             }
4735          }
4736          if(line[0])
4737             this.line = atoi(line);
4738       }
4739       else
4740       {
4741          Project prj = ide.project;
4742          if(ProjectGetAbsoluteFromRelativePath(prj, filePath, fullPath))
4743          {
4744             property::absoluteFilePath = fullPath;
4745             project = prj;
4746          }
4747       }
4748       if(!absoluteFilePath)
4749          property::absoluteFilePath = "";
4750       delete prjName;
4751       delete filePath;
4752    }
4753
4754    char * CopyLocationString(bool removePath)
4755    {
4756       char * location;
4757       char * file = relativeFilePath ? relativeFilePath : absoluteFilePath;
4758       bool removingPath = removePath && file;
4759       if(removingPath)
4760       {
4761          char * fileName = new char[MAX_FILENAME];
4762          GetLastDirectory(file, fileName);
4763          file = fileName;
4764       }
4765       if(function)
4766       {
4767          if(file)
4768             location = PrintString(file, ":", function);
4769          else
4770             location = CopyString(function);
4771       }
4772       else
4773          location = PrintString(file, ":", line);
4774       if(removingPath)
4775          delete file;
4776       return location;
4777    }
4778
4779    char * CopyUserLocationString()
4780    {
4781       char * location;
4782       char * loc = CopyLocationString(false);
4783       Project prj = null;
4784       if(absoluteFilePath)
4785       {
4786          for(p : ide.workspace.projects; p != ide.workspace.projects.firstIterator.data)
4787          {
4788             if(p.topNode.FindByFullPath(absoluteFilePath, false))
4789             {
4790                prj = p;
4791                break;
4792             }
4793          }
4794       }
4795       if(prj)
4796       {
4797          location = PrintString("(", prj.name, ")", loc);
4798          delete loc;
4799       }
4800       else
4801          location = loc;
4802       return location;
4803    }
4804
4805    void Save(File f)
4806    {
4807       if(relativeFilePath && relativeFilePath[0])
4808       {
4809          char * location = CopyUserLocationString();
4810          f.Printf("    * %d,%d,%d,%d,%s\n", enabled ? 1 : 0, ignore, level, line, location);
4811          delete location;
4812          if(condition)
4813             f.Printf("       ~ %s\n", condition.expression);
4814       }
4815    }
4816
4817    void Free()
4818    {
4819       Reset();
4820       delete function;
4821       delete relativeFilePath;
4822       delete absoluteFilePath;
4823       delete location;
4824    }
4825
4826    void Reset()
4827    {
4828       inserted = false;
4829       delete address;
4830       if(bp)
4831          bp.Free();
4832       delete bp;
4833    }
4834
4835    ~Breakpoint()
4836    {
4837       Free();
4838    }
4839
4840 }
4841
4842 class Watch : struct
4843 {
4844    class_no_expansion;
4845
4846    Type type;
4847    char * expression;
4848    char * value;
4849    DataRow row;
4850
4851    void Save(File f)
4852    {
4853       f.Printf("    ~ %s\n", expression);
4854    }
4855
4856    void Free()
4857    {
4858       delete expression;
4859       delete value;
4860       FreeType(type);
4861       type = null;
4862    }
4863
4864    void Reset()
4865    {
4866       delete value;
4867       FreeType(type);
4868       type = null;
4869    }
4870
4871    ~Watch()
4872    {
4873       Free();
4874    }
4875 }
4876
4877 class DebugListItem : struct
4878 {
4879    char * name;
4880    char * value;
4881 }
4882
4883 struct DebugEvaluationData
4884 {
4885    bool active;
4886    char * result;
4887    int bytes;
4888    uint64 nextBlockAddress;
4889
4890    DebuggerEvaluationError error;
4891 };
4892
4893 class CodeLocation : struct
4894 {
4895    char * file;
4896    char * absoluteFile;
4897    int line;
4898
4899    CodeLocation ::ParseCodeLocation(char * location)
4900    {
4901       if(location)
4902       {
4903          char * colon = null;
4904          char * temp;
4905          char loc[MAX_LOCATION];
4906          strcpy(loc, location);
4907          for(temp = loc; temp = strstr(temp, ":"); temp++)
4908             colon = temp;
4909          if(colon)
4910          {
4911             colon[0] = '\0';
4912             colon++;
4913             if(colon)
4914             {
4915                int line = atoi(colon);
4916                if(line)
4917                {
4918                   CodeLocation codloc { line = line };
4919                   codloc.file = CopyString(loc);
4920                   codloc.absoluteFile = ide.workspace.GetAbsolutePathFromRelative(loc);
4921                   return codloc;
4922                }
4923             }
4924          }
4925       }
4926       return null;
4927    }
4928
4929    void Free()
4930    {
4931       delete file;
4932       delete absoluteFile;
4933    }
4934
4935    ~CodeLocation()
4936    {
4937       Free();
4938    }
4939 }
4940
4941 void GDBFallBack(Expression exp, String expString)
4942 {
4943    char * result;
4944    ExpressionType evalError = dummyExp;
4945    result = Debugger::EvaluateExpression(expString, &evalError);
4946    if(result)
4947    {
4948       exp.constant = result;
4949       exp.type = constantExp;
4950    }
4951 }
4952
4953 static Project WorkspaceGetFileOwner(char * absolutePath)
4954 {
4955    Project owner = null;
4956    for(prj : ide.workspace.projects)
4957    {
4958       if(prj.topNode.FindByFullPath(absolutePath, false))
4959       {
4960          owner = prj;
4961          break;
4962       }
4963    }
4964    if(!owner)
4965       WorkspaceGetObjectFileNode(absolutePath, &owner);
4966    return owner;
4967 }
4968
4969 static ProjectNode WorkspaceGetObjectFileNode(char * filePath, Project * project)
4970 {
4971    ProjectNode node = null;
4972    char ext[MAX_EXTENSION];
4973    GetExtension(filePath, ext);
4974    if(ext[0])
4975    {
4976       IntermediateFileType type = IntermediateFileType::FromExtension(ext);
4977       if(type)
4978       {
4979          char fileName[MAX_FILENAME];
4980          GetLastDirectory(filePath, fileName);
4981          if(fileName[0])
4982          {
4983             DotMain dotMain = DotMain::FromFileName(fileName);
4984             for(prj : ide.workspace.projects)
4985             {
4986                if((node = prj.FindNodeByObjectFileName(fileName, type, dotMain, null)))
4987                {
4988                   if(project)
4989                      *project = prj;
4990                   break;
4991                }
4992             }
4993          }
4994       }
4995    }
4996    return node;
4997 }
4998
4999 static ProjectNode ProjectGetObjectFileNode(Project project, char * filePath)
5000 {
5001    ProjectNode node = null;
5002    char ext[MAX_EXTENSION];
5003    GetExtension(filePath, ext);
5004    if(ext[0])
5005    {
5006       IntermediateFileType type = IntermediateFileType::FromExtension(ext);
5007       if(type)
5008       {
5009          char fileName[MAX_FILENAME];
5010          GetLastDirectory(filePath, fileName);
5011          if(fileName[0])
5012          {
5013             DotMain dotMain = DotMain::FromFileName(fileName);
5014             node = project.FindNodeByObjectFileName(fileName, type, dotMain, null);
5015          }
5016       }
5017    }
5018    return node;
5019 }
5020
5021 static void WorkspaceGetRelativePath(char * absolutePath, char * relativePath, Project * owner)
5022 {
5023    Project prj = WorkspaceGetFileOwner(absolutePath);
5024    if(owner)
5025       *owner = prj;
5026    if(!prj)
5027       prj = ide.workspace.projects.firstIterator.data;
5028    if(prj)
5029    {
5030       MakePathRelative(absolutePath, prj.topNode.path, relativePath);
5031       MakeSlashPath(relativePath);
5032    }
5033    else
5034       relativePath[0] = '\0';
5035 }
5036
5037 static bool ProjectGetAbsoluteFromRelativePath(Project project, char * relativePath, char * absolutePath)
5038 {
5039    ProjectNode node = project.topNode.FindWithPath(relativePath, false);
5040    if(!node)
5041       node = ProjectGetObjectFileNode(project, relativePath);
5042    if(node)
5043    {
5044       strcpy(absolutePath, node.project.topNode.path);
5045       PathCat(absolutePath, relativePath);
5046       MakeSlashPath(absolutePath);
5047    }
5048    return node != null;
5049 }