-
-
Notifications
You must be signed in to change notification settings - Fork 140
/
Copy pathkitty.c
5769 lines (5168 loc) · 210 KB
/
kitty.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*************************************************
** DEFINITION DES INCLUDES
*************************************************/
// Includes classiques
#include <dirent.h>
#include <io.h>
#include <process.h>
#include <stdio.h>
#include <stdlib.h>
#include <sys/locking.h>
#include <sys/stat.h>
#include <sys/types.h>
// Includes de PuTTY
#include "putty.h"
#include "terminal.h"
//#include "ldisc.h"
//#include "win_res.h"
#include "putty-rc.h"
// Include specifiques Windows (windows.h doit imperativement etre declare en premier)
#include <windows.h>
#include <psapi.h>
#include <iphlpapi.h>
// Includes de KiTTY
#include "kitty.h"
#include "kitty_commun.h"
#include "kitty_image.h"
#include "kitty_crypt.h"
#include "kitty_registry.h"
#include "kitty_tools.h"
#include "kitty_win.h"
#include "kitty_launcher.h"
#include "MD5check.h"
/*************************************************
** FIN DE LA DEFINITION DES INCLUDES
*************************************************/
/*************************************************
** DEFINITION DE LA STRUCTURE DE CONFIGURATION
*************************************************/
// La structure de configuration est instanciee dans window.c
extern Conf *conf ;
#ifndef SAVEMODE_REG
#define SAVEMODE_REG 0
#endif
#ifndef SAVEMODE_FILE
#define SAVEMODE_FILE 1
#endif
#ifndef SAVEMODE_DIR
#define SAVEMODE_DIR 2
#endif
// Flag pour le fonctionnement en mode "portable" (gestion par fichiers), defini dans kitty_commun.c
extern int IniFileFlag ;
// Flag permettant la gestion de l'arborscence (dossier=folder) dans le cas d'un savemode=dir, defini dans kitty_commun.c
extern int DirectoryBrowseFlag ;
int GetDirectoryBrowseFlag(void) { return DirectoryBrowseFlag ; }
void SetDirectoryBrowseFlag( const int flag ) { DirectoryBrowseFlag = flag ; }
#define SI_INIT 0
#define SI_NEXT 1
#define SI_RANDOM 2
// Stuff for drag-n-drop transfers
#define TIMER_DND 8777
int dnd_delay = 250;
HDROP hDropInf = NULL;
// Delai avant d'envoyer le password et d'envoyer vers le tray (automatiquement à la connexion) (en milliseconde)
int init_delay = 2000 ;
// Delai entre chaque ligne de la commande automatique (en milliseconde)
int autocommand_delay = 5 ;
// Delai entre chaque caracteres d'une commande (en millisecondes)
int between_char_delay = 0 ;
// Delai entre deux lignes d'une meme commande et entre deux raccourcis \x \k
int internal_delay = 10 ;
// Pointeur sur la commande autocommand
char * AutoCommand = NULL ;
// Contenu d'un script a envoyer à l'ecran
char * ScriptCommand = NULL ;
// Pointeur sur la commande a passer ligne a ligne
char * PasteCommand = NULL ;
// Flag pour utiliser la commande paste ligne a ligne (shift+bouton droit au lieu de bouton droit seul) dans le cas de serveur lent
static int PasteCommandFlag = 0 ;
int GetPasteCommandFlag(void) { return PasteCommandFlag ; }
// paste size limit (number of characters). Above the limit a confirmation is requested. (0 means unlimited)
static int PasteSize = 0 ;
int GetPasteSize(void) { return PasteSize ; }
void SetPasteSize( const int size ) { PasteSize = size ; }
// Flag de gestion de la fonction hyperlink
#ifdef FLJ
int HyperlinkFlag = 1 ;
#else
#ifdef MOD_HYPERLINK
int HyperlinkFlag = 1 ;
#else
int HyperlinkFlag = 0 ;
#endif
#endif
int GetHyperlinkFlag(void) { return HyperlinkFlag ; }
void SetHyperlinkFlag( const int flag ) { HyperlinkFlag = flag ; }
// Flag de gestion de la fonction "rutty" (script automatique)
static int RuttyFlag = 1 ;
int GetRuttyFlag(void) { return RuttyFlag ; }
void SetRuttyFlag( const int flag ) { RuttyFlag = flag ; }
// Flag de gestion de la Transparence
#ifdef FLJ
static int TransparencyFlag = 1 ;
#else
static int TransparencyFlag = 1 ;
#endif
int GetTransparencyFlag(void) { return TransparencyFlag ; }
void SetTransparencyFlag( const int flag ) { TransparencyFlag = flag ; }
// Gestion du script file au lancement
char * ScriptFileContent = NULL ;
// Flag pour la protection contre les saisies malheureuses
static int ProtectFlag = 0 ;
int GetProtectFlag(void) { return ProtectFlag ; }
void SetProtectFlag( const int flag ) { ProtectFlag = flag ; }
// Flags de definition du mode de sauvegarde
#ifndef SAVEMODE_REG
#define SAVEMODE_REG 0
#endif
#ifndef SAVEMODE_FILE
#define SAVEMODE_FILE 1
#endif
#ifndef SAVEMODE_DIR
#define SAVEMODE_DIR 2
#endif
// Definition de la section du fichier de configuration
#if (defined MOD_PERSO) && (!defined FLJ)
#ifndef INIT_SECTION
#define INIT_SECTION "KiTTY"
#endif
#ifndef DEFAULT_INIT_FILE
#define DEFAULT_INIT_FILE "kitty.ini"
#endif
#ifndef DEFAULT_SAV_FILE
#define DEFAULT_SAV_FILE "kitty.sav"
#endif
#ifndef DEFAULT_EXE_FILE
#define DEFAULT_EXE_FILE "kitty.exe"
#endif
#else
#ifndef INIT_SECTION
#define INIT_SECTION "PuTTY"
#endif
#ifndef DEFAULT_INIT_FILE
#define DEFAULT_INIT_FILE "putty.ini"
#endif
#ifndef DEFAULT_SAV_FILE
#define DEFAULT_SAV_FILE "putty.sav"
#endif
#ifndef DEFAULT_EXE_FILE
#define DEFAULT_EXE_FILE "putty.exe"
#endif
#endif
#ifndef VISIBLE_NO
#define VISIBLE_NO 0
#endif
#ifndef VISIBLE_YES
#define VISIBLE_YES 1
#endif
#ifndef VISIBLE_TRAY
#define VISIBLE_TRAY -1
#endif
// Flag de definition de la visibilite d'une fenetres
static int VisibleFlag = VISIBLE_YES ;
int GetVisibleFlag(void) { return VisibleFlag ; }
void SetVisibleFlag( const int flag ) { VisibleFlag = flag ; }
// Flag pour inhiber les raccourcis clavier
#ifdef FLJ
static int ShortcutsFlag = 0 ;
#else
static int ShortcutsFlag = 1 ;
#endif
int GetShortcutsFlag(void) { return ShortcutsFlag ; }
void SetShortcutsFlag( const int flag ) { ShortcutsFlag = flag ; }
// Flag pour inhiber les raccourcis souris
static int MouseShortcutsFlag = 1 ;
int GetMouseShortcutsFlag(void) { return MouseShortcutsFlag ; }
void SetMouseShortcutsFlag( const int flag ) { MouseShortcutsFlag = flag ; }
// Flag pour permettre la definition d'icone de connexion
static int IconeFlag = 0 ;
int GetIconeFlag(void) { return IconeFlag ; }
void SetIconeFlag( const int flag ) { IconeFlag = flag ; }
// Nombre d'icones differentes (identifiant commence a 1 dans le fichier .rc)
#ifndef MOD_PERSO
#define NB_ICONES 1
#define IDI_MAINICON_0 1
#define IDC_RESULT 1008
#endif
static int NumberOfIcons = NB_ICONES ;
int GetNumberOfIcons(void) { return NumberOfIcons ; }
void SetNumberOfIcons( const int flag ) { NumberOfIcons = flag ; }
static int IconeNum = 0 ;
int GetIconeNum(void) { return IconeNum ; }
void SetIconeNum( const int num ) { IconeNum = num ; }
// La librairie dans laquelle chercher les icones (fichier defini dans kitty.ini, sinon kitty.dll s'il existe, sinon kitty.exe)
static HINSTANCE hInstIcons = NULL ;
HINSTANCE GethInstIcons(void) { return hInstIcons ; }
void SethInstIcons( const HINSTANCE h ) { hInstIcons = h ; }
// Fichier contenant les icones à charger
static char * IconFile = NULL ;
// Flag pour l'affichage de la taille de la fenetre
static int SizeFlag = 0 ;
int GetSizeFlag(void) { return SizeFlag ; }
void SetSizeFlag( const int flag ) { SizeFlag = flag ; }
// Flag pour imposer le passage en majuscule
static int CapsLockFlag = 0 ;
int GetCapsLockFlag(void) { return CapsLockFlag ; }
void SetCapsLockFlag( const int flag ) { CapsLockFlag = flag ; }
// Flag pour gerer la presence de la barre de titre
static int TitleBarFlag = 1 ;
int GetTitleBarFlag(void) { return TitleBarFlag ; }
void SetTitleBarFlag( const int flag ) { TitleBarFlag = flag ; }
// Hauteur de la fenetre pour la fonction WinHeight
static int WinHeight = -1 ;
int GetWinHeight(void) { return WinHeight ; }
void SetWinHeight( const int num ) { WinHeight = num ; }
// Flag pour inhiber le Winrol
static int WinrolFlag = 1 ;
int GetWinrolFlag(void) { return WinrolFlag ; }
void SetWinrolFlag( const int num ) { WinrolFlag = num ; }
// Password de protection de la configuration (registry)
static char PasswordConf[256] = "" ;
// Renvoi automatiquement dans le tray (pour les tunnel), fonctionne avec le l'option -send-to-tray
static int AutoSendToTray = 0 ;
int GetAutoSendToTray( void ) { return AutoSendToTray ; }
void SetAutoSendToTray( const int flag ) { AutoSendToTray = flag ; }
// Flag pour ne pas creer les fichiers kitty.ini et kitty.sav
static int NoKittyFileFlag = 0 ;
int GetNoKittyFileFlag(void) { return NoKittyFileFlag ; }
void SetNoKittyFileFlag( const int flag ) { NoKittyFileFlag = flag ; }
// Hauteur de la boite de configuration
static int ConfigBoxHeight = 21 ;
int GetConfigBoxHeight(void) { return ConfigBoxHeight ; }
void SetConfigBoxHeight( const int num ) { ConfigBoxHeight = num ; }
// Hauteur de la fenetre de la boite de configuration (0=valeur par defaut)
static int ConfigBoxWindowHeight = 0 ;
int GetConfigBoxWindowHeight(void) { return ConfigBoxWindowHeight ; }
void SetConfigBoxWindowHeight( const int num ) { ConfigBoxWindowHeight = num ; }
// Flag pour retourner à la Config Box en fin d'execution
static int ConfigBoxNoExitFlag = 0 ;
int GetConfigBoxNoExitFlag(void) { return ConfigBoxNoExitFlag ; }
void SetConfigBoxNoExitFlag( const int flag ) { ConfigBoxNoExitFlag = flag ; }
// ConfigBox X-position
static int ConfigBoxLeft = -1 ;
int GetConfigBoxLeft() { return ConfigBoxLeft ; }
void SetConfigBoxLeft( const int val ) { ConfigBoxLeft = val ; }
// ConfigBox Y-position
static int ConfigBoxTop = -1 ;
int GetConfigBoxTop() { return ConfigBoxTop ; }
void SetConfigBoxTop( const int val ) { ConfigBoxTop= val ; }
// Flag pour inhiber la gestion du CTRL+TAB
static int CtrlTabFlag = 1 ;
int GetCtrlTabFlag(void) { return CtrlTabFlag ; }
void SetCtrlTabFlag( const int flag ) { CtrlTabFlag = flag ; }
#ifdef MOD_RECONNECT
// Flag pour inhiber le mécanisme de reconnexion automatique
static int AutoreconnectFlag = 1 ;
int GetAutoreconnectFlag( void ) { return AutoreconnectFlag ; }
void SetAutoreconnectFlag( const int flag ) { AutoreconnectFlag = flag ; }
// Delai avant de tenter une reconnexion automatique
static int ReconnectDelay = 5 ;
int GetReconnectDelay(void) { return ReconnectDelay ; }
void SetReconnectDelay( const int flag ) { ReconnectDelay = flag ; }
#endif
// Flag pour inhiber le comportement ou toutes les sessions appartiennent au folder defaut
static int SessionsInDefaultFlag = 1 ;
int GetSessionsInDefaultFlag(void) { return SessionsInDefaultFlag ; }
void SetSessionsInDefaultFlag( const int flag ) { SessionsInDefaultFlag = flag ; }
// Flag pour inhiber la creation automatique de la session Default Settings
// [ConfigBox] defaultsettings=yes
static int DefaultSettingsFlag = 1 ;
int GetDefaultSettingsFlag(void) { return DefaultSettingsFlag ; }
void SetDefaultSettingsFlag( const int flag ) { DefaultSettingsFlag = flag ; }
// Flag pour définir l'action a executer sur un double clic sur une session de la liste des sessions
// [ConfigBox] dblclick=open
static int DblClickFlag = 0 ;
int GetDblClickFlag(void) { return DblClickFlag ; }
void SetDblClickFlag( const int flag ) { DblClickFlag = flag ; }
// Flag pour inhiber le filtre sur la liste des sessions de la boite de configuration
static int SessionFilterFlag = 1 ;
int GetSessionFilterFlag(void) { return SessionFilterFlag ; }
void SetSessionFilterFlag( const int flag ) { SessionFilterFlag = flag ; }
// Flag pour passer en mode visualiseur d'images
static int ImageViewerFlag = 0 ;
int GetImageViewerFlag(void) { return ImageViewerFlag ; }
void SetImageViewerFlag( const int flag ) { ImageViewerFlag = flag ; }
// Duree (en secondes) pour switcher l'image de fond d'ecran (<=0 pas de slide)
int ImageSlideDelay = - 1 ;
// Nombre de clignotements max de l'icone dans le systeme tray lors de la reception d'un BELL
int MaxBlinkingTime = 0 ;
// Compteur pour l'envoi de anti-idle
int AntiIdleCount = 0 ;
int AntiIdleCountMax = 6 ;
char AntiIdleStr[128] = "" ; // Ex: " \x08" => Fait un espace et le retire tout de suite
// Chemin vers le programme cthelper.exe
char * CtHelperPath = NULL ;
// Chemin vers le programme WinSCP
char * WinSCPPath = NULL ;
// Chemin vers le programme pscp.exe
char * PSCPPath = NULL ;
// Chemin vers le programme plink.exe
char * PlinkPath = NULL ;
// Repertoire de lancement
char InitialDirectory[4096]="" ;
// Chemin complet des fichiers de configuration kitty.ini et kitty.sav
static char * KittyIniFile = NULL ;
static char * KittySavFile = NULL ;
// Nom de la classe de l'application
char KiTTYClassName[128] = "" ;
// Parametres de l'impression
extern int PrintCharSize ;
extern int PrintMaxLinePerPage ;
extern int PrintMaxCharPerLine ;
extern char puttystr[1024] ;
#ifdef MOD_PROXY
#include "kitty_proxy.h"
#endif
// Handle sur la fenetre principale
HWND MainHwnd ;
HWND GetMainHwnd(void) { return MainHwnd ; }
// Decompte du nombre de fenetres en cours de KiTTY
static int NbWindows = 0 ;
NOTIFYICONDATA TrayIcone ;
#define MYWM_NOTIFYICON (WM_USER+3)
#define TIMER_INIT 8701
#define TIMER_AUTOCOMMAND 8702
#if (defined MOD_BACKGROUNDIMAGE) && (!defined FLJ)
#define TIMER_SLIDEBG 8703
#endif
#define TIMER_REDRAW 8704
#define TIMER_AUTOPASTE 8705
#define TIMER_BLINKTRAYICON 8706
#define TIMER_LOGROTATION 8707
#define TIMER_ANTIIDLE 8708
/*
#define TIMER_INIT 12341
#define TIMER_AUTOCOMMAND 12342
#if (defined MOD_BACKGROUNDIMAGE) && (!defined FLJ)
#define TIMER_SLIDEBG 12343
#endif
#define TIMER_REDRAW 12344
#define TIMER_AUTOPASTE 12345
#define TIMER_BLINKTRAYICON 12346
#define TIMER_LOGROTATION 12347
*/
#ifndef BUILD_TIME
#define BUILD_TIME "Undefined"
#endif
#ifndef BUILD_VERSION
#define BUILD_VERSION "0.0"
#endif
#ifndef BUILD_SUBVERSION
#define BUILD_SUBVERSION 0
#endif
char BuildVersionTime[256] = "0.0.0.0 @ 0" ;
// Gestion des raccourcis
#define SHIFTKEY 500
#define CONTROLKEY 1000
#define ALTKEY 2000
#define ALTGRKEY 4000
#define WINKEY 8000
// F1=0x70 (112) => F12=0x7B (123)
static struct TShortcuts {
int autocommand ;
int command ;
int editor ;
int editorclipboard ;
int getfile ;
int imagechange ;
int input ;
int inputm ;
int print ;
int printall ;
int protect ;
int script ;
int sendfile ;
int rollup ;
int tray ;
int viewer ;
int visible ;
int winscp ;
int switchlogmode ;
int showportforward ;
int resetterminal ;
int duplicate ;
int opennew ;
int opennewcurrent ;
int changesettings ;
int clearscrollback ;
int clearlogfile ;
int closerestart ;
int eventlog ;
int fullscreen ;
int fontup ;
int fontdown ;
int copyall ;
int fontnegative ;
int fontblackandwhite ;
int keyexchange ;
} shortcuts_tab ;
static int NbShortCuts = 0 ;
static struct TShortcuts2 { int num ; char * st ; } shortcuts_tab2[512] ;
static char * InputBoxResult = NULL ;
// Procedure de debug
void debug_log( const char *fmt, ... ) {
char filename[4096]="" ;
va_list ap;
FILE *fp ;
if( (InitialDirectory!=NULL) && (strlen(InitialDirectory)>0) )
sprintf(filename,"%s\\kitty.log",InitialDirectory);
else strcpy(filename,"kitty.log");
va_start( ap, fmt ) ;
//vfprintf( stdout, fmt, ap ) ; // Ecriture a l'ecran
if( ( fp = fopen( filename, "ab" ) ) != NULL ) {
vfprintf( fp, fmt, ap ) ; // ecriture dans un fichier
fclose( fp ) ;
}
va_end( ap ) ;
}
// Procedure d'affichage d'un message
void debug_msg( const char *fmt, ... ) {
char buffer[4096]="" ;
va_list ap;
va_start( ap, fmt ) ;
vsprintf( buffer, fmt, ap ) ;
MessageBox( NULL, buffer, "Debug", MB_OK ) ;
va_end( ap ) ;
}
// Affiche un message avec l'usage memoire
void debug_mem( const char *fmt, ... ) {
char buffer[4096]="" ;
va_list ap;
va_start( ap, fmt ) ;
vsprintf( buffer, fmt, ap ) ; strcat(buffer," ");
/* HANDLE hProcess;
PROCESS_MEMORY_COUNTERS_EX pmc;
hProcess = OpenProcess( PROCESS_QUERY_INFORMATION |
PROCESS_VM_READ,
FALSE, GetCurrentProcessId() );
if (NULL == hProcess)
return;
if ( GetProcessMemoryInfo( hProcess, &pmc, sizeof(pmc)) ) {
sprintf( buffer+strlen(buffer), "%ld %ld", pmc.WorkingSetSize, pmc.PrivateUsage );
}
CloseHandle( hProcess );
*/
/*
http://stackoverflow.com/questions/548819/how-to-determine-a-process-virtual-size-winxp
According to MSDN: Memory Performance Information PROCESS_MEMORY_COUNTERS_EX.PrivateUsage is the same as VM Size in Task Manager in Windows XP. GetProcessMemoryInfo should work:
PROCESS_MEMORY_COUNTERS_EX pmcx = {};
pmcx.cb = sizeof(pmcx);
GetProcessMemoryInfo(GetCurrentProcess(),
reinterpret_cast<PROCESS_MEMORY_COUNTERS*>(&pmcx), pmcx.cb);
Now pmcx.PrivateUsage holds the VM Size of the process.
http://msdn.microsoft.com/en-us/library/ms683219%28VS.85%29.aspx
http://msdn.microsoft.com/en-us/library/ms682050%28v=vs.85%29.aspx
void PrintMemoryInfo( DWORD processID )
{
HANDLE hProcess;
PROCESS_MEMORY_COUNTERS pmc;
// Print the process identifier.
printf( "\nProcess ID: %u\n", processID );
// Print information about the memory usage of the process.
hProcess = OpenProcess( PROCESS_QUERY_INFORMATION |
PROCESS_VM_READ,
FALSE, processID );
if (NULL == hProcess)
return;
if ( GetProcessMemoryInfo( hProcess, &pmc, sizeof(pmc)) )
{
printf( "\tPageFaultCount: 0x%08X\n", pmc.PageFaultCount );
printf( "\tPeakWorkingSetSize: 0x%08X\n",
pmc.PeakWorkingSetSize );
printf( "\tWorkingSetSize: 0x%08X\n", pmc.WorkingSetSize );
printf( "\tQuotaPeakPagedPoolUsage: 0x%08X\n",
pmc.QuotaPeakPagedPoolUsage );
printf( "\tQuotaPagedPoolUsage: 0x%08X\n",
pmc.QuotaPagedPoolUsage );
printf( "\tQuotaPeakNonPagedPoolUsage: 0x%08X\n",
pmc.QuotaPeakNonPagedPoolUsage );
printf( "\tQuotaNonPagedPoolUsage: 0x%08X\n",
pmc.QuotaNonPagedPoolUsage );
printf( "\tPagefileUsage: 0x%08X\n", pmc.PagefileUsage );
printf( "\tPeakPagefileUsage: 0x%08X\n",
pmc.PeakPagefileUsage );
}
CloseHandle( hProcess );
}
*/
MessageBox( NULL, buffer, "Debug", MB_OK ) ;
va_end( ap ) ;
}
// Procedure de debug socket
static int debug_sock_fd = 0 ;
static va_list ap;
static char bief[1024];
void debug_sock( const char *fmt, ...) {
return ;
if( debug_sock_fd == -1 ) {return; }
if( debug_sock_fd == 0 ) {
struct sockaddr_in sin ;
struct hostent * remote_host ;
if( (debug_sock_fd = socket( AF_INET, SOCK_STREAM, 0 ))>0 ) {
if( (remote_host = gethostbyname( "localhost" ))!=0 ) {
memset( &sin, 0, sizeof( sin ) ) ;
sin.sin_family = AF_INET ;
sin.sin_addr.s_addr = INADDR_ANY ;
sin.sin_port = htons( (u_short)9669 ) ;
memcpy( (char*)&sin.sin_addr, remote_host->h_addr, remote_host->h_length ) ;
memset( sin.sin_zero, 0, 8 ) ;
if( connect( debug_sock_fd, (struct sockaddr *)&sin, sizeof( sin )) < 0 ) { debug_sock_fd=0 ; }
}
}
else { debug_sock_fd=-1 ; }
}
if( debug_sock_fd > 0 ) {
va_start( ap, fmt ) ;
bief[0]='\0';
vsprintf( bief, fmt, ap ) ;
bief[1024]='\0';
send( debug_sock_fd, (char*)bief, strlen(bief), 0 ) ;
va_end( ap ) ;
}
}
char *dupvprintf(const char *fmt, va_list ap) ;
// Procedure de recuperation de la valeur d'un flag
int get_param( const char * val ) {
if( !stricmp( val, "PUTTY" ) ) return GetPuttyFlag() ;
else if( !stricmp( val, "INIFILE" ) ) return IniFileFlag ;
else if( !stricmp( val, "DIRECTORYBROWSE" ) ) return DirectoryBrowseFlag ;
else if( !stricmp( val, "HYPERLINK" ) ) return HyperlinkFlag ;
else if( !stricmp( val, "TRANSPARENCY" ) )return TransparencyFlag ;
#ifdef MOD_ZMODEM
else if( !stricmp( val, "ZMODEM" ) ) return GetZModemFlag() ;
#endif
#ifdef MOD_BACKGROUNDIMAGE
else if( !stricmp( val, "BACKGROUNDIMAGE" ) ) return GetBackgroundImageFlag() ;
#endif
// else if( !stricmp( val, "CONFIGBOXHEIGHT" ) ) return ConfigBoxHeight ;
// else if( !stricmp( val, "AUTOSTORESSHKEY" ) ) return AutoStoreSSHKeyFlag ;
// else if( !stricmp( val, "CONFIGBOXWINDOWHEIGHT" ) ) return ConfigBoxWindowHeight ;
// else if( !stricmp( val, "NUMBEROFICONS" ) ) return NumberOfIcons ; // ==> Remplace par GetNumberOfIcons()
// else if( !stricmp( val, "ICON" ) ) return IconeFlag ; // ==> Remplace par GetIconeFlag()
// else if( !stricmp( val, "SESSIONFILTER" ) ) return SessionFilterFlag ;
return 0 ;
}
#if (defined MOD_BACKGROUNDIMAGE) && (!defined FLJ)
/* Le patch Background image ne marche plus bien sur la version PuTTY 0.61
- il est en erreur lorsqu'on passe par la config box
- il est ok lorsqu'on demarrer par -load ou par duplicate session
On le desactive dans la config box (fin du fichier WINCFG.C)
*/
void DisableBackgroundImage( void ) { SetBackgroundImageFlag(0) ; }
#endif
// Procedure de recuperation de la valeur d'une chaine
char * get_param_str( const char * val ) {
if( !stricmp( val, "INI" ) ) return KittyIniFile ;
else if( !stricmp( val, "SAV" ) ) return KittySavFile ;
else if( !stricmp( val, "NAME" ) ) return INIT_SECTION ;
else if( !stricmp( val, "CLASS" ) ) return KiTTYClassName ;
return NULL ;
}
#ifdef MOD_ZMODEM
void xyz_updateMenuItems(Terminal *term) {
if( !GetZModemFlag() ) return ;
HMENU m = GetSystemMenu(MainHwnd, FALSE);
// EnableMenuItem(m, IDM_XYZSTART, term->xyz_transfering?MF_GRAYED:MF_ENABLED);
EnableMenuItem(m, IDM_XYZSTART, term->xyz_transfering?MF_GRAYED:MF_DISABLED);
EnableMenuItem(m, IDM_XYZUPLOAD, term->xyz_transfering?MF_GRAYED:MF_ENABLED);
EnableMenuItem(m, IDM_XYZABORT, !term->xyz_transfering?MF_GRAYED:MF_ENABLED);
}
#endif
char * kitty_current_dir() {
return NULL ; /* Ce code est tres specifique et ne marche pas partout */
/*
static char cdir[1024];
char * dir = strstr(term->osc_string, ":") ;
if(dir) {
if( strlen(dir) > 1 ) {
dir = dir + 1 ;
if(*dir == '~') {
if(strlen(conf_get_str(conf,CONF_username))>0) {
snprintf(cdir, 1024, "\"/home/%s/%s\"", conf_get_str(conf,CONF_username), dir + 1);
return cdir;
}
} else if(*dir == '/') {
snprintf(cdir, 1024, "\"%s\"", dir);
return cdir;
}
}
}
return NULL;
*/
}
// Liste des folder
char **FolderList=NULL ;
int readINI( const char * filename, const char * section, const char * key, char * pStr) ;
int writeINI( const char * filename, const char * section, const char * key, char * pStr) ;
int delINI( const char * filename, const char * section, const char * key ) ;
// Initialise la liste des folders a partir des sessions deja existantes et du fichier kitty.ini
void InitFolderList( void ) {
char * pst, fList[4096], buffer[4096] ;
int i ;
FolderList=(char**)malloc( 1024*sizeof(char*) );
FolderList[0] = NULL ;
StringList_Add( FolderList, "Default" ) ;
//if( GetValueData(HKEY_CURRENT_USER, TEXT(PUTTY_REG_POS), "Folders", fList) == NULL ) return ;
//if( ReadParameter( "KiTTY", "Folders", fList ) == 0 ) return ;
ReadParameter( INIT_SECTION, "Folders", fList ) ;
if( strlen( fList ) != 0 ) {
pst = fList ;
while( strlen( pst ) > 0 ) {
i = 0 ;
while( ( pst[i] != ',' ) && ( pst[i] != '\0' ) ) {
buffer[i] = pst[i] ;
i++ ;
}
buffer[i] = '\0' ;
StringList_Add( FolderList, buffer ) ;
if( pst[i] == '\0' ) pst = pst + i ;
else pst = pst + i + 1 ;
}
//free( fList ) ; fList = NULL ;
}
if( (IniFileFlag==SAVEMODE_REG)||(IniFileFlag==SAVEMODE_FILE) ) {
HKEY hKey ;
TCHAR achKey[MAX_KEY_LENGTH]; // buffer for subkey name
DWORD cbName; // size of name string
TCHAR achClass[MAX_PATH] = TEXT(""); // buffer for class name
DWORD cchClassName = MAX_PATH; // size of class string
DWORD cSubKeys=0; // number of subkeys
DWORD cbMaxSubKey; // longest subkey size
DWORD cchMaxClass; // longest class string
DWORD cValues; // number of values for key
DWORD cchMaxValue; // longest value name
DWORD cbMaxValueData; // longest value data
DWORD cbSecurityDescriptor; // size of security descriptor
FILETIME ftLastWriteTime; // last write time
DWORD retCode;
sprintf( buffer, "%s\\\\Sessions", PUTTY_REG_POS );
if( RegOpenKeyEx( HKEY_CURRENT_USER, buffer, 0, KEY_READ, &hKey) != ERROR_SUCCESS ) return ;
retCode = RegQueryInfoKey(
hKey, // key handle
achClass, // buffer for class name
&cchClassName, // size of class string
NULL, // reserved
&cSubKeys, // number of subkeys
&cbMaxSubKey, // longest subkey size
&cchMaxClass, // longest class string
&cValues, // number of values for this key
&cchMaxValue, // longest value name
&cbMaxValueData, // longest value data
&cbSecurityDescriptor, // security descriptor
&ftLastWriteTime); // last write time
// Enumerate the subkeys, until RegEnumKeyEx fails.
if (cSubKeys) {
for (i=0; i<cSubKeys; i++) {
cbName = MAX_KEY_LENGTH;
retCode = RegEnumKeyEx(hKey, i, achKey, &cbName, NULL, NULL, NULL, &ftLastWriteTime);
if (retCode == ERROR_SUCCESS) {
char nValue[1024] ;
sprintf( nValue, "%s\\%s", buffer, achKey ) ;
if( GetValueData(HKEY_CURRENT_USER, nValue, "Folder", fList ) != NULL ) {
if( strlen( fList ) > 0 )
StringList_Add( FolderList, fList ) ;
//free( fList ) ; fList = NULL ;
}
}
}
}
RegCloseKey( hKey ) ;
}
else if( (IniFileFlag == SAVEMODE_DIR)&&(!DirectoryBrowseFlag) ) {
DIR * dir ;
struct dirent * de ;
sprintf( buffer, "%s\\Sessions", ConfigDirectory ) ;
if( (dir=opendir(buffer)) != NULL ) {
while( (de=readdir(dir)) != NULL )
if( strcmp(de->d_name, ".")&&strcmp(de->d_name, "..") ) {
unmungestr( de->d_name, fList, 1024 ) ;
GetSessionFolderName( fList, buffer ) ;
if( strlen(buffer)>0 ) StringList_Add( FolderList, buffer ) ;
}
closedir( dir ) ;
}
}
if( readINI( KittyIniFile, "Folder", "new", buffer ) ) {
if( strlen( buffer ) > 0 ) {
for( i=0; i<strlen(buffer); i++ ) if( buffer[i]==',' ) buffer[i]='\0' ;
StringList_Add( FolderList, buffer ) ;
}
delINI( KittyIniFile, "Folder", "new" ) ;
}
}
int GetSessionFolderNameInSubDir( const char * session, const char * subdir, char * folder ) {
int return_code=0;
char buffer[2048], buf[2048] ;
DIR * dir ;
struct dirent * de ;
if( !strcmp(subdir,"") ) sprintf( buffer, "%s\\Sessions", ConfigDirectory ) ;
else sprintf(buffer,"%s\\Sessions\\%s",ConfigDirectory, subdir ) ;
if( (dir=opendir(buffer))!=NULL ) {
while( (de=readdir(dir)) != NULL )
if( strcmp(de->d_name,".") && strcmp(de->d_name,"..") ) {
if( !strcmp(subdir,"") ) sprintf(buf,"%s\\Sessions\\%s",ConfigDirectory,de->d_name ) ;
else sprintf(buf,"%s\\Sessions\\%s\\%s",ConfigDirectory, subdir,de->d_name ) ;
if( existdirectory( buf ) ) {
if( !strcmp(subdir,"") ) sprintf( buf, "%s", de->d_name ) ;
else sprintf( buf, "%s\\%s", subdir, de->d_name ) ;
return_code = GetSessionFolderNameInSubDir( session, buf, folder ) ;
if( return_code ) break ;
} else if( !strcmp(session,de->d_name) ) {
strcpy( folder, subdir ) ;
return_code=1;
break ;
}
}
closedir(dir) ;
}
return return_code ;
}
// Recupere le nom du folder associe à une session
void GetSessionFolderName( const char * session_in, char * folder ) {
HKEY hKey ;
char buffer[1024], session[1024] ;
FILE *fp ;
strcpy( folder, "" ) ;
if( session_in == NULL ) return ;
if( strlen(session_in)==0 ) return ;
strcpy( buffer, session_in ) ;
//if( (p = strrchr(buffer, '[')) != NULL ) *(p-1) = '\0' ;
if( (IniFileFlag==SAVEMODE_REG)||(IniFileFlag==SAVEMODE_FILE) ) {
mungestr(buffer, session) ;
sprintf( buffer, "%s\\Sessions\\%s", PUTTY_REG_POS, session ) ;
if( RegOpenKeyEx( HKEY_CURRENT_USER, buffer, 0, KEY_READ, &hKey) == ERROR_SUCCESS ) {
DWORD lpType ;
unsigned char lpData[1024] ;
DWORD dwDataSize = 1024 ;
if( RegQueryValueEx( hKey, "Folder", 0, &lpType, lpData, &dwDataSize ) == ERROR_SUCCESS ) {
strcpy( folder, (char*)lpData ) ;
}
RegCloseKey( hKey ) ;
}
} else if( IniFileFlag==SAVEMODE_DIR ) {
mungestr(session_in, session ) ;
if( DirectoryBrowseFlag ) {
GetSessionFolderNameInSubDir( session, "", folder ) ;
} else {
sprintf(buffer,"%s\\Sessions\\%s", ConfigDirectory, session );
if( (fp=fopen(buffer,"r"))!=NULL ) {
while( fgets(buffer,1024,fp)!=NULL ) {
while( (buffer[strlen(buffer)-1]=='\n')||(buffer[strlen(buffer)-1]=='\r') )
buffer[strlen(buffer)-1]='\0' ;
if( buffer[strlen(buffer)-1]=='\\' )
if( strstr( buffer, "Folder" ) == buffer ) {
if( buffer[6]=='\\' ) strcpy( folder, buffer+7 ) ;
folder[strlen(folder)-1] = '\0' ;
unmungestr(folder, buffer, MAX_PATH) ;
strcpy( folder, buffer) ;
break ;
}
}
fclose(fp);
}
}
}
}
// Recupere une entree d'une session ( retourne 1 si existe )
int GetSessionField( const char * session_in, const char * folder_in, const char * field, char * result ) {
HKEY hKey ;
char buffer[1024], session[1024], folder[1024], *p ;
int res = 0 ;
FILE * fp ;
if( session_in == NULL ) return 0 ;
if( strlen(session_in)==0 ) return 0 ;
strcpy( result, "" ) ;
strcpy( buffer, session_in ) ;
if( (p = strrchr(buffer, '[')) != NULL ) *(p-1) = '\0' ;
mungestr(buffer, session) ;
sprintf( buffer, "%s\\Sessions\\%s", PUTTY_REG_POS, session ) ;
strcpy( folder, folder_in );
CleanFolderName( folder );
if( (IniFileFlag==SAVEMODE_REG)||(IniFileFlag==SAVEMODE_FILE) ) {
if( RegOpenKeyEx( HKEY_CURRENT_USER, buffer, 0, KEY_READ, &hKey) == ERROR_SUCCESS ) {
DWORD lpType ;
unsigned char lpData[1024] ;
DWORD dwDataSize = 1024 ;
if( RegQueryValueEx( hKey, field, 0, &lpType, lpData, &dwDataSize ) == ERROR_SUCCESS ) {
strcpy( result, (char*)lpData ) ;
res = 1 ;
}
RegCloseKey( hKey ) ;
}
}
else if( IniFileFlag==SAVEMODE_DIR ) {
if( DirectoryBrowseFlag ) {
if( !strcmp(folder,"Default") || !strcmp(folder,"") ) sprintf(buffer,"%s\\Sessions\\%s", ConfigDirectory, session ) ;
else sprintf(buffer,"%s\\Sessions\\%s\\%s", ConfigDirectory, folder, session ) ;
}
else {
sprintf(buffer,"%s\\Sessions\\%s", ConfigDirectory, session ) ;
}
if( debug_flag ) { debug_logevent( "GetSessionField(%s,%s,%s,%s)=%s", ConfigDirectory, session, folder, field, buffer ) ; }
if( (fp=fopen(buffer,"r"))!=NULL ) {
while( fgets(buffer,1024,fp)!=NULL ) {
while( (buffer[strlen(buffer)-1]=='\n')||(buffer[strlen(buffer)-1]=='\r') ) buffer[strlen(buffer)-1]='\0' ;
if( buffer[strlen(buffer)-1]=='\\' )
if( (strstr( buffer, field )==buffer) && ((buffer+strlen(field))[0]=='\\') ) {
if( buffer[strlen(field)]=='\\' ) strcpy( result, buffer+strlen(field)+1 ) ;
result[strlen(result)-1] = '\0' ;
unmungestr(result, buffer,MAX_PATH) ;
strcpy( result, buffer) ;
if( debug_flag ) debug_logevent( "Result=%s", result );
res = 1 ;
break ;
}
}
fclose(fp);
}
}
return res ;
}
void RenewPassword( Conf *conf ) {
return ;
if( !GetUserPassSSHNoSave() )
if( strlen( conf_get_str(conf,CONF_password) ) == 0 ) {
char buffer[1024] = "", host[1024], termtype[1024] ;
if( GetSessionField( conf_get_str(conf,CONF_sessionname), conf_get_str(conf,CONF_folder), "Password", buffer ) ) {
GetSessionField( conf_get_str(conf,CONF_sessionname), conf_get_str(conf,CONF_folder), "HostName", host );
GetSessionField( conf_get_str(conf,CONF_sessionname), conf_get_str(conf,CONF_folder), "TerminalType", termtype );
decryptpassword( GetCryptSaltFlag(), buffer, host, termtype ) ;
MASKPASS(GetCryptSaltFlag(),buffer);
conf_set_str(conf,CONF_password,buffer) ;
memset(buffer,0,strlen(buffer) );
}
}
}
int DebugAddPassword( const char*fct, const char*pwd ) ;
void SetPasswordInConfig( const char * password ) {
int len ;
char bufpass[1024] ;
if( (!GetUserPassSSHNoSave())&&(password!=NULL) ) {
len = strlen( password ) ;
if( len > 126 ) len = 126 ;
if( len>0 ) {
memcpy( bufpass, password, len+1 ) ;
bufpass[len]='\0' ;
while( ((bufpass[strlen(bufpass)-1]=='n')&&(bufpass[strlen(bufpass)-2]=='\\')) || ((bufpass[strlen(bufpass)-1]=='r')&&(bufpass[strlen(bufpass)-2]=='\\')) ) {
bufpass[strlen(bufpass)-2]='\0';
bufpass[strlen(bufpass)-1]='\0';
}
while( (bufpass[strlen(bufpass)-1]=='\n') || (bufpass[strlen(bufpass)-1]=='\r') || (bufpass[strlen(bufpass)-1]=='\t') || (bufpass[strlen(bufpass)-1]==' ') ) { bufpass[strlen(bufpass)-1]='\0' ; }
DebugAddPassword( "SetPasswordInConfig(before mask)", bufpass ) ;
MASKPASS(GetCryptSaltFlag(),bufpass) ;
DebugAddPassword( "SetPasswordInConfig(after mask)", bufpass ) ;
} else {
strcpy( bufpass, "" ) ;
}
conf_set_str(conf,CONF_password,bufpass);
memset( bufpass, 0, strlen(bufpass) ) ;
}
}
void SetUsernameInConfig( const char * username ) {
int len ;
if( (!GetUserPassSSHNoSave())&&(username!=NULL) ) {
len = strlen( username ) ;
if( len > 126 ) { len = 126 ; }