-
Notifications
You must be signed in to change notification settings - Fork 41
/
cl_parse.c
4367 lines (3885 loc) · 144 KB
/
cl_parse.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
/*
Copyright (C) 1996-1997 Id Software, Inc.
This program is free software; you can redistribute it and/or
modify it under the terms of the GNU General Public License
as published by the Free Software Foundation; either version 2
of the License, or (at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
See the GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*/
// cl_parse.c -- parse a message received from the server
#include "quakedef.h"
#include "cdaudio.h"
#include "cl_collision.h"
#include "csprogs.h"
#include "libcurl.h"
#include "utf8lib.h"
#ifdef CONFIG_MENU
#include "menu.h"
#endif
#include "cl_video.h"
#include "float.h"
const char *svc_strings[128] =
{
"svc_bad",
"svc_nop",
"svc_disconnect", // (DP8) [string] null terminated parting message
"svc_updatestat",
"svc_version", // [int] server version
"svc_setview", // [short] entity number
"svc_sound", // <see code>
"svc_time", // [float] server time
"svc_print", // [string] null terminated string
"svc_stufftext", // [string] stuffed into client's console buffer
// the string should be \n terminated
"svc_setangle", // [vec3] set the view angle to this absolute value
"svc_serverinfo", // [int] version
// [string] signon string
// [string]..[0]model cache [string]...[0]sounds cache
// [string]..[0]item cache
"svc_lightstyle", // [byte] [string]
"svc_updatename", // [byte] [string]
"svc_updatefrags", // [byte] [short]
"svc_clientdata", // <shortbits + data>
"svc_stopsound", // <see code>
"svc_updatecolors", // [byte] [byte]
"svc_particle", // [vec3] <variable>
"svc_damage", // [byte] impact [byte] blood [vec3] from
"svc_spawnstatic",
"OBSOLETE svc_spawnbinary",
"svc_spawnbaseline",
"svc_temp_entity", // <variable>
"svc_setpause",
"svc_signonnum",
"svc_centerprint",
"svc_killedmonster",
"svc_foundsecret",
"svc_spawnstaticsound",
"svc_intermission",
"svc_finale", // [string] music [string] text
"svc_cdtrack", // [byte] track [byte] looptrack
"svc_sellscreen",
"svc_cutscene",
"svc_showlmp", // [string] iconlabel [string] lmpfile [short] x [short] y
"svc_hidelmp", // [string] iconlabel
"svc_skybox", // [string] skyname
"", // 38
"", // 39
"", // 40
"", // 41
"", // 42
"", // 43
"", // 44
"", // 45
"", // 46
"", // 47
"", // 48
"", // 49
"svc_downloaddata", // 50 // [int] start [short] size [variable length] data
"svc_updatestatubyte", // 51 // [byte] stat [byte] value
"svc_effect", // 52 // [vector] org [byte] modelindex [byte] startframe [byte] framecount [byte] framerate
"svc_effect2", // 53 // [vector] org [short] modelindex [short] startframe [byte] framecount [byte] framerate
"svc_sound2", // 54 // short soundindex instead of byte
"svc_spawnbaseline2", // 55 // short modelindex instead of byte
"svc_spawnstatic2", // 56 // short modelindex instead of byte
"svc_entities", // 57 // [int] deltaframe [int] thisframe [float vector] eye [variable length] entitydata
"svc_csqcentities", // 58 // [short] entnum [variable length] entitydata ... [short] 0x0000
"svc_spawnstaticsound2", // 59 // [coord3] [short] samp [byte] vol [byte] aten
"svc_trailparticles", // 60 // [short] entnum [short] effectnum [vector] start [vector] end
"svc_pointparticles", // 61 // [short] effectnum [vector] start [vector] velocity [short] count
"svc_pointparticles1", // 62 // [short] effectnum [vector] start, same as svc_pointparticles except velocity is zero and count is 1
};
const char *qw_svc_strings[128] =
{
"qw_svc_bad", // 0
"qw_svc_nop", // 1
"qw_svc_disconnect", // 2
"qw_svc_updatestat", // 3 // [byte] [byte]
"", // 4
"qw_svc_setview", // 5 // [short] entity number
"qw_svc_sound", // 6 // <see code>
"", // 7
"qw_svc_print", // 8 // [byte] id [string] null terminated string
"qw_svc_stufftext", // 9 // [string] stuffed into client's console buffer
"qw_svc_setangle", // 10 // [angle3] set the view angle to this absolute value
"qw_svc_serverdata", // 11 // [long] protocol ...
"qw_svc_lightstyle", // 12 // [byte] [string]
"", // 13
"qw_svc_updatefrags", // 14 // [byte] [short]
"", // 15
"qw_svc_stopsound", // 16 // <see code>
"", // 17
"", // 18
"qw_svc_damage", // 19
"qw_svc_spawnstatic", // 20
"", // 21
"qw_svc_spawnbaseline", // 22
"qw_svc_temp_entity", // 23 // variable
"qw_svc_setpause", // 24 // [byte] on / off
"", // 25
"qw_svc_centerprint", // 26 // [string] to put in center of the screen
"qw_svc_killedmonster", // 27
"qw_svc_foundsecret", // 28
"qw_svc_spawnstaticsound", // 29 // [coord3] [byte] samp [byte] vol [byte] aten
"qw_svc_intermission", // 30 // [vec3_t] origin [vec3_t] angle
"qw_svc_finale", // 31 // [string] text
"qw_svc_cdtrack", // 32 // [byte] track
"qw_svc_sellscreen", // 33
"qw_svc_smallkick", // 34 // set client punchangle to 2
"qw_svc_bigkick", // 35 // set client punchangle to 4
"qw_svc_updateping", // 36 // [byte] [short]
"qw_svc_updateentertime", // 37 // [byte] [float]
"qw_svc_updatestatlong", // 38 // [byte] [long]
"qw_svc_muzzleflash", // 39 // [short] entity
"qw_svc_updateuserinfo", // 40 // [byte] slot [long] uid
"qw_svc_download", // 41 // [short] size [size bytes]
"qw_svc_playerinfo", // 42 // variable
"qw_svc_nails", // 43 // [byte] num [48 bits] xyzpy 12 12 12 4 8
"qw_svc_chokecount", // 44 // [byte] packets choked
"qw_svc_modellist", // 45 // [strings]
"qw_svc_soundlist", // 46 // [strings]
"qw_svc_packetentities", // 47 // [...]
"qw_svc_deltapacketentities", // 48 // [...]
"qw_svc_maxspeed", // 49 // maxspeed change, for prediction
"qw_svc_entgravity", // 50 // gravity change, for prediction
"qw_svc_setinfo", // 51 // setinfo on a client
"qw_svc_serverinfo", // 52 // serverinfo
"qw_svc_updatepl", // 53 // [byte] [byte]
};
//=============================================================================
cvar_t cl_worldmessage = {CF_CLIENT | CF_READONLY, "cl_worldmessage", "", "title of current level"};
cvar_t cl_worldname = {CF_CLIENT | CF_READONLY, "cl_worldname", "", "name of current worldmodel"};
cvar_t cl_worldnamenoextension = {CF_CLIENT | CF_READONLY, "cl_worldnamenoextension", "", "name of current worldmodel without extension"};
cvar_t cl_worldbasename = {CF_CLIENT | CF_READONLY, "cl_worldbasename", "", "name of current worldmodel without maps/ prefix or extension"};
cvar_t developer_networkentities = {CF_CLIENT, "developer_networkentities", "0", "prints received entities, value is 0-10 (higher for more info, 10 being the most verbose)"};
cvar_t cl_gameplayfix_soundsmovewithentities = {CF_CLIENT, "cl_gameplayfix_soundsmovewithentities", "1", "causes sounds made by lifts, players, projectiles, and any other entities, to move with the entity, so for example a rocket noise follows the rocket rather than staying at the starting position"};
cvar_t cl_sound_wizardhit = {CF_CLIENT, "cl_sound_wizardhit", "wizard/hit.wav", "sound to play during TE_WIZSPIKE (empty cvar disables sound)"};
cvar_t cl_sound_hknighthit = {CF_CLIENT, "cl_sound_hknighthit", "hknight/hit.wav", "sound to play during TE_KNIGHTSPIKE (empty cvar disables sound)"};
cvar_t cl_sound_tink1 = {CF_CLIENT, "cl_sound_tink1", "weapons/tink1.wav", "sound to play with 80% chance during TE_SPIKE/TE_SUPERSPIKE (empty cvar disables sound)"};
cvar_t cl_sound_ric1 = {CF_CLIENT, "cl_sound_ric1", "weapons/ric1.wav", "sound to play with 5% chance during TE_SPIKE/TE_SUPERSPIKE (empty cvar disables sound)"};
cvar_t cl_sound_ric2 = {CF_CLIENT, "cl_sound_ric2", "weapons/ric2.wav", "sound to play with 5% chance during TE_SPIKE/TE_SUPERSPIKE (empty cvar disables sound)"};
cvar_t cl_sound_ric3 = {CF_CLIENT, "cl_sound_ric3", "weapons/ric3.wav", "sound to play with 10% chance during TE_SPIKE/TE_SUPERSPIKE (empty cvar disables sound)"};
cvar_t cl_readpicture_force = {CF_CLIENT, "cl_readpicture_force", "0", "when enabled, the low quality pictures read by ReadPicture() are preferred over the high quality pictures on the file system"};
#define RIC_GUNSHOT 1
#define RIC_GUNSHOTQUAD 2
cvar_t cl_sound_ric_gunshot = {CF_CLIENT, "cl_sound_ric_gunshot", "0", "specifies if and when the related cl_sound_ric and cl_sound_tink sounds apply to TE_GUNSHOT/TE_GUNSHOTQUAD, 0 = no sound, 1 = TE_GUNSHOT, 2 = TE_GUNSHOTQUAD, 3 = TE_GUNSHOT and TE_GUNSHOTQUAD"};
cvar_t cl_sound_r_exp3 = {CF_CLIENT, "cl_sound_r_exp3", "weapons/r_exp3.wav", "sound to play during TE_EXPLOSION and related effects (empty cvar disables sound)"};
cvar_t snd_cdautopause = {CF_CLIENT | CF_ARCHIVE, "snd_cdautopause", "1", "pause the CD track while the game is paused"};
cvar_t cl_serverextension_download = {CF_CLIENT, "cl_serverextension_download", "0", "indicates whether the server supports the download command"};
cvar_t cl_joinbeforedownloadsfinish = {CF_CLIENT | CF_ARCHIVE, "cl_joinbeforedownloadsfinish", "1", "if non-zero the game will begin after the map is loaded before other downloads finish"};
cvar_t cl_nettimesyncfactor = {CF_CLIENT | CF_ARCHIVE, "cl_nettimesyncfactor", "0", "rate at which client time adapts to match server time, 1 = instantly, 0.125 = slowly, 0 = not at all (only applied in bound modes 0, 1, 2, 3)"};
cvar_t cl_nettimesyncboundmode = {CF_CLIENT | CF_ARCHIVE, "cl_nettimesyncboundmode", "6", "method of restricting client time to valid values, 0 = no correction, 1 = tight bounding (jerky with packet loss), 2 = loose bounding (corrects it if out of bounds), 3 = leniant bounding (ignores temporary errors due to varying framerate), 4 = slow adjustment method from Quake3, 5 = slightly nicer version of Quake3 method, 6 = tight bounding + mode 5, 7 = jitter compensated dynamic adjustment rate"};
cvar_t cl_nettimesyncboundtolerance = {CF_CLIENT | CF_ARCHIVE, "cl_nettimesyncboundtolerance", "0.25", "how much error is tolerated by bounding check, as a fraction of frametime, 0.25 = up to 25% margin of error tolerated, 1 = use only new time, 0 = use only old time (same effect as setting cl_nettimesyncfactor to 1) (only affects bound modes 2 and 3)"};
cvar_t cl_iplog_name = {CF_CLIENT | CF_ARCHIVE, "cl_iplog_name", "darkplaces_iplog.txt", "name of iplog file containing player addresses for iplog_list command and automatic ip logging when parsing status command"};
static qbool QW_CL_CheckOrDownloadFile(const char *filename);
static void QW_CL_RequestNextDownload(void);
static void QW_CL_NextUpload_f(cmd_state_t *cmd);
//static qbool QW_CL_IsUploading(void);
static void QW_CL_StopUpload_f(cmd_state_t *cmd);
static inline void CL_SetSignonStage_WithMsg(int signon_stage)
{
cls.signon = signon_stage;
dpsnprintf(cl_connect_status, sizeof(cl_connect_status), "Connect: signon stage %i of %i", cls.signon, SIGNONS);
Con_DPrint(cl_connect_status);
}
/*
==================
CL_ParseStartSoundPacket
==================
*/
static void CL_ParseStartSoundPacket(int largesoundindex)
{
vec3_t pos;
int channel, ent;
int sound_num;
int nvolume;
int field_mask;
float attenuation;
float speed;
int fflags = CHANNELFLAG_NONE;
if (cls.protocol == PROTOCOL_QUAKEWORLD)
{
channel = MSG_ReadShort(&cl_message);
if (channel & (1<<15))
nvolume = MSG_ReadByte(&cl_message);
else
nvolume = DEFAULT_SOUND_PACKET_VOLUME;
if (channel & (1<<14))
attenuation = MSG_ReadByte(&cl_message) / 64.0;
else
attenuation = DEFAULT_SOUND_PACKET_ATTENUATION;
speed = 1.0f;
ent = (channel>>3)&1023;
channel &= 7;
sound_num = MSG_ReadByte(&cl_message);
}
else
{
field_mask = MSG_ReadByte(&cl_message);
if (field_mask & SND_VOLUME)
nvolume = MSG_ReadByte(&cl_message);
else
nvolume = DEFAULT_SOUND_PACKET_VOLUME;
if (field_mask & SND_ATTENUATION)
attenuation = MSG_ReadByte(&cl_message) / 64.0;
else
attenuation = DEFAULT_SOUND_PACKET_ATTENUATION;
if (field_mask & SND_SPEEDUSHORT4000)
speed = ((unsigned short)MSG_ReadShort(&cl_message)) / 4000.0f;
else
speed = 1.0f;
if (field_mask & SND_LARGEENTITY)
{
ent = (unsigned short) MSG_ReadShort(&cl_message);
channel = MSG_ReadChar(&cl_message);
}
else
{
channel = (unsigned short) MSG_ReadShort(&cl_message);
ent = channel >> 3;
channel &= 7;
}
if (largesoundindex || (field_mask & SND_LARGESOUND) || cls.protocol == PROTOCOL_NEHAHRABJP2 || cls.protocol == PROTOCOL_NEHAHRABJP3)
sound_num = (unsigned short) MSG_ReadShort(&cl_message);
else
sound_num = MSG_ReadByte(&cl_message);
}
MSG_ReadVector(&cl_message, pos, cls.protocol);
if (sound_num < 0 || sound_num >= MAX_SOUNDS)
{
Con_Printf("CL_ParseStartSoundPacket: sound_num (%i) >= MAX_SOUNDS (%i)\n", sound_num, MAX_SOUNDS);
return;
}
if (ent >= MAX_EDICTS)
{
Con_Printf("CL_ParseStartSoundPacket: ent = %i", ent);
return;
}
if (ent >= cl.max_entities)
CL_ExpandEntities(ent);
if( !CL_VM_Event_Sound(sound_num, nvolume / 255.0f, channel, attenuation, ent, pos, fflags, speed) )
S_StartSound_StartPosition_Flags (ent, channel, cl.sound_precache[sound_num], pos, nvolume/255.0f, attenuation, 0, fflags, speed);
}
/*
==================
CL_KeepaliveMessage
When the client is taking a long time to load stuff, send keepalive messages
so the server doesn't disconnect.
==================
*/
static unsigned char olddata[NET_MAXMESSAGE];
void CL_KeepaliveMessage (qbool readmessages)
{
static double lastdirtytime = 0;
static qbool recursive = false;
double dirtytime;
double deltatime;
static double countdownmsg = 0;
static double countdownupdate = 0;
sizebuf_t old;
qbool thisrecursive;
thisrecursive = recursive;
recursive = true;
dirtytime = Sys_DirtyTime();
deltatime = dirtytime - lastdirtytime;
lastdirtytime = dirtytime;
if (deltatime <= 0 || deltatime >= 1800.0)
return;
countdownmsg -= deltatime;
countdownupdate -= deltatime;
if(!thisrecursive)
{
if(cls.state != ca_dedicated)
{
if(countdownupdate <= 0) // check if time stepped backwards
countdownupdate = 2;
}
}
// no need if server is local and definitely not if this is a demo
if (sv.active || !cls.netcon || cls.protocol == PROTOCOL_QUAKEWORLD || cls.signon >= SIGNONS)
{
recursive = thisrecursive;
return;
}
if (readmessages)
{
// read messages from server, should just be nops
old = cl_message;
memcpy(olddata, cl_message.data, cl_message.cursize);
NetConn_ClientFrame();
cl_message = old;
memcpy(cl_message.data, olddata, cl_message.cursize);
}
if (cls.netcon && countdownmsg <= 0) // check if time stepped backwards
{
sizebuf_t msg;
unsigned char buf[4];
countdownmsg = 5;
// write out a nop
// LadyHavoc: must use unreliable because reliable could kill the sigon message!
Con_Print("--> client to server keepalive\n");
memset(&msg, 0, sizeof(msg));
msg.data = buf;
msg.maxsize = sizeof(buf);
MSG_WriteChar(&msg, clc_nop);
NetConn_SendUnreliableMessage(cls.netcon, &msg, cls.protocol, 10000, 0, false);
}
recursive = thisrecursive;
}
void CL_ParseEntityLump(char *entdata)
{
qbool loadedsky = false;
const char *data;
char key[128], value[MAX_INPUTLINE];
FOG_clear(); // LadyHavoc: no fog until set
// LadyHavoc: default to the map's sky (q3 shader parsing sets this)
R_SetSkyBox(cl.worldmodel->brush.skybox);
data = entdata;
if (!data)
return;
if (!COM_ParseToken_Simple(&data, false, false, true))
return; // error
if (com_token[0] != '{')
return; // error
while (1)
{
if (!COM_ParseToken_Simple(&data, false, false, true))
return; // error
if (com_token[0] == '}')
break; // end of worldspawn
if (com_token[0] == '_')
dp_strlcpy (key, com_token + 1, sizeof (key));
else
dp_strlcpy (key, com_token, sizeof (key));
while (key[strlen(key)-1] == ' ') // remove trailing spaces
key[strlen(key)-1] = 0;
if (!COM_ParseToken_Simple(&data, false, false, true))
return; // error
dp_strlcpy (value, com_token, sizeof (value));
if (!strcmp("sky", key))
{
loadedsky = true;
R_SetSkyBox(value);
}
else if (!strcmp("skyname", key)) // non-standard, introduced by QuakeForge... sigh.
{
loadedsky = true;
R_SetSkyBox(value);
}
else if (!strcmp("qlsky", key)) // non-standard, introduced by QuakeLives (EEK)
{
loadedsky = true;
R_SetSkyBox(value);
}
else if (!strcmp("fog", key))
{
FOG_clear(); // so missing values get good defaults
r_refdef.fog_start = 0;
r_refdef.fog_alpha = 1;
r_refdef.fog_end = 16384;
r_refdef.fog_height = 1<<30;
r_refdef.fog_fadedepth = 128;
#if _MSC_VER >= 1400
#define sscanf sscanf_s
#endif
sscanf(value, "%f %f %f %f %f %f %f %f %f", &r_refdef.fog_density, &r_refdef.fog_red, &r_refdef.fog_green, &r_refdef.fog_blue, &r_refdef.fog_alpha, &r_refdef.fog_start, &r_refdef.fog_end, &r_refdef.fog_height, &r_refdef.fog_fadedepth);
}
else if (!strcmp("fog_density", key))
r_refdef.fog_density = atof(value);
else if (!strcmp("fog_red", key))
r_refdef.fog_red = atof(value);
else if (!strcmp("fog_green", key))
r_refdef.fog_green = atof(value);
else if (!strcmp("fog_blue", key))
r_refdef.fog_blue = atof(value);
else if (!strcmp("fog_alpha", key))
r_refdef.fog_alpha = atof(value);
else if (!strcmp("fog_start", key))
r_refdef.fog_start = atof(value);
else if (!strcmp("fog_end", key))
r_refdef.fog_end = atof(value);
else if (!strcmp("fog_height", key))
r_refdef.fog_height = atof(value);
else if (!strcmp("fog_fadedepth", key))
r_refdef.fog_fadedepth = atof(value);
else if (!strcmp("fog_heighttexture", key))
{
FOG_clear(); // so missing values get good defaults
#if _MSC_VER >= 1400
sscanf_s(value, "%f %f %f %f %f %f %f %f %f %s", &r_refdef.fog_density, &r_refdef.fog_red, &r_refdef.fog_green, &r_refdef.fog_blue, &r_refdef.fog_alpha, &r_refdef.fog_start, &r_refdef.fog_end, &r_refdef.fog_height, &r_refdef.fog_fadedepth, r_refdef.fog_height_texturename, (unsigned int)sizeof(r_refdef.fog_height_texturename));
#else
sscanf(value, "%f %f %f %f %f %f %f %f %f %63s", &r_refdef.fog_density, &r_refdef.fog_red, &r_refdef.fog_green, &r_refdef.fog_blue, &r_refdef.fog_alpha, &r_refdef.fog_start, &r_refdef.fog_end, &r_refdef.fog_height, &r_refdef.fog_fadedepth, r_refdef.fog_height_texturename);
#endif
r_refdef.fog_height_texturename[63] = 0;
}
}
if (!loadedsky && cl.worldmodel->brush.isq2bsp)
R_SetSkyBox("unit1_");
}
extern cvar_t con_chatsound_team_file;
static const vec3_t defaultmins = {-4096, -4096, -4096};
static const vec3_t defaultmaxs = {4096, 4096, 4096};
static void CL_SetupWorldModel(void)
{
prvm_prog_t *prog = CLVM_prog;
// update the world model
cl.entities[0].render.model = cl.worldmodel = CL_GetModelByIndex(1);
CL_UpdateRenderEntity(&cl.entities[0].render);
// make sure the cl.worldname and related cvars are set up now that we know the world model name
// set up csqc world for collision culling
if (cl.worldmodel)
{
dp_strlcpy(cl.worldname, cl.worldmodel->name, sizeof(cl.worldname));
FS_StripExtension(cl.worldname, cl.worldnamenoextension, sizeof(cl.worldnamenoextension));
dp_strlcpy(cl.worldbasename, !strncmp(cl.worldnamenoextension, "maps/", 5) ? cl.worldnamenoextension + 5 : cl.worldnamenoextension, sizeof(cl.worldbasename));
Cvar_SetQuick(&cl_worldmessage, cl.worldmessage);
Cvar_SetQuick(&cl_worldname, cl.worldname);
Cvar_SetQuick(&cl_worldnamenoextension, cl.worldnamenoextension);
Cvar_SetQuick(&cl_worldbasename, cl.worldbasename);
World_SetSize(&cl.world, cl.worldname, cl.worldmodel->normalmins, cl.worldmodel->normalmaxs, prog);
}
else
{
Cvar_SetQuick(&cl_worldmessage, cl.worldmessage);
Cvar_SetQuick(&cl_worldnamenoextension, "");
Cvar_SetQuick(&cl_worldbasename, "");
World_SetSize(&cl.world, "", defaultmins, defaultmaxs, prog);
}
World_Start(&cl.world);
// load or reload .loc file for team chat messages
CL_Locs_Reload_f(cmd_local);
// make sure we send enough keepalives
CL_KeepaliveMessage(false);
// reset particles and other per-level things
R_Modules_NewMap();
// make sure we send enough keepalives
CL_KeepaliveMessage(false);
// load the team chat beep if possible
cl.foundteamchatsound = FS_FileExists(con_chatsound_team_file.string);
// check memory integrity
Mem_CheckSentinelsGlobal();
#ifdef CONFIG_MENU
// make menu know
MR_NewMap();
#endif
// load the csqc now
if (cl.loadcsqc)
{
cl.loadcsqc = false;
CL_VM_Init();
}
}
static qbool QW_CL_CheckOrDownloadFile(const char *filename)
{
qfile_t *file;
char vabuf[1024];
// see if the file already exists
file = FS_OpenVirtualFile(filename, true);
if (file)
{
FS_Close(file);
return true;
}
// download messages in a demo would be bad
if (cls.demorecording)
{
Con_Printf("Unable to download \"%s\" when recording.\n", filename);
return true;
}
// don't try to download when playing a demo
if (!cls.netcon)
return true;
dp_strlcpy(cls.qw_downloadname, filename, sizeof(cls.qw_downloadname));
Con_Printf("Downloading %s\n", filename);
if (!cls.qw_downloadmemory)
{
cls.qw_downloadmemory = NULL;
cls.qw_downloadmemorycursize = 0;
cls.qw_downloadmemorymaxsize = 1024*1024; // start out with a 1MB buffer
}
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "download %s", filename));
cls.qw_downloadnumber++;
cls.qw_downloadpercent = 0;
cls.qw_downloadmemorycursize = 0;
return false;
}
static void QW_CL_ProcessUserInfo(int slot);
static void QW_CL_RequestNextDownload(void)
{
int i;
char vabuf[1024];
// clear name of file that just finished
cls.qw_downloadname[0] = 0;
// skip the download fragment if playing a demo
if (!cls.netcon)
{
return;
}
switch (cls.qw_downloadtype)
{
case dl_single:
break;
case dl_skin:
if (cls.qw_downloadnumber == 0)
Con_Printf("Checking skins...\n");
for (;cls.qw_downloadnumber < cl.maxclients;cls.qw_downloadnumber++)
{
if (!cl.scores[cls.qw_downloadnumber].name[0])
continue;
// check if we need to download the file, and return if so
if (!QW_CL_CheckOrDownloadFile(va(vabuf, sizeof(vabuf), "skins/%s.pcx", cl.scores[cls.qw_downloadnumber].qw_skin)))
return;
}
cls.qw_downloadtype = dl_none;
// load any newly downloaded skins
for (i = 0;i < cl.maxclients;i++)
QW_CL_ProcessUserInfo(i);
// if we're still in signon stages, request the next one
if (cls.signon != SIGNONS)
{
CL_SetSignonStage_WithMsg(SIGNONS - 1);
// we'll go to SIGNONS when the first entity update is received
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "begin %i", cl.qw_servercount));
}
break;
case dl_model:
if (cls.qw_downloadnumber == 0)
{
Con_Printf("Checking models...\n");
cls.qw_downloadnumber = 1;
}
for (;cls.qw_downloadnumber < MAX_MODELS && cl.model_name[cls.qw_downloadnumber][0];cls.qw_downloadnumber++)
{
// skip submodels
if (cl.model_name[cls.qw_downloadnumber][0] == '*')
continue;
if (!strcmp(cl.model_name[cls.qw_downloadnumber], "progs/spike.mdl"))
cl.qw_modelindex_spike = cls.qw_downloadnumber;
if (!strcmp(cl.model_name[cls.qw_downloadnumber], "progs/player.mdl"))
cl.qw_modelindex_player = cls.qw_downloadnumber;
if (!strcmp(cl.model_name[cls.qw_downloadnumber], "progs/flag.mdl"))
cl.qw_modelindex_flag = cls.qw_downloadnumber;
if (!strcmp(cl.model_name[cls.qw_downloadnumber], "progs/s_explod.spr"))
cl.qw_modelindex_s_explod = cls.qw_downloadnumber;
// check if we need to download the file, and return if so
if (!QW_CL_CheckOrDownloadFile(cl.model_name[cls.qw_downloadnumber]))
return;
}
cls.qw_downloadtype = dl_none;
// touch all of the precached models that are still loaded so we can free
// anything that isn't needed
if (!sv.active)
Mod_ClearUsed();
for (i = 1;i < MAX_MODELS && cl.model_name[i][0];i++)
Mod_FindName(cl.model_name[i], cl.model_name[i][0] == '*' ? cl.model_name[1] : NULL);
// precache any models used by the client (this also marks them used)
cl.model_bolt = Mod_ForName("progs/bolt.mdl", false, false, NULL);
cl.model_bolt2 = Mod_ForName("progs/bolt2.mdl", false, false, NULL);
cl.model_bolt3 = Mod_ForName("progs/bolt3.mdl", false, false, NULL);
cl.model_beam = Mod_ForName("progs/beam.mdl", false, false, NULL);
// we purge the models and sounds later in CL_SignonReply
//Mod_PurgeUnused();
// now we try to load everything that is new
// world model
cl.model_precache[1] = Mod_ForName(cl.model_name[1], false, false, NULL);
if (cl.model_precache[1]->Draw == NULL)
Con_Printf("Map %s could not be found or downloaded\n", cl.model_name[1]);
// normal models
for (i = 2;i < MAX_MODELS && cl.model_name[i][0];i++)
if ((cl.model_precache[i] = Mod_ForName(cl.model_name[i], false, false, cl.model_name[i][0] == '*' ? cl.model_name[1] : NULL))->Draw == NULL)
Con_Printf("Model %s could not be found or downloaded\n", cl.model_name[i]);
// check memory integrity
Mem_CheckSentinelsGlobal();
// now that we have a world model, set up the world entity, renderer
// modules and csqc
CL_SetupWorldModel();
// add pmodel/emodel CRCs to userinfo
CL_SetInfo("pmodel", va(vabuf, sizeof(vabuf), "%i", FS_CRCFile("progs/player.mdl", NULL)), true, true, true, true);
CL_SetInfo("emodel", va(vabuf, sizeof(vabuf), "%i", FS_CRCFile("progs/eyes.mdl", NULL)), true, true, true, true);
// done checking sounds and models, send a prespawn command now
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "prespawn %i 0 %i", cl.qw_servercount, cl.model_precache[1]->brush.qw_md4sum2));
if (cls.qw_downloadmemory)
{
Mem_Free(cls.qw_downloadmemory);
cls.qw_downloadmemory = NULL;
}
// done loading
cl.loadfinished = true;
break;
case dl_sound:
if (cls.qw_downloadnumber == 0)
{
Con_Printf("Checking sounds...\n");
cls.qw_downloadnumber = 1;
}
for (;cl.sound_name[cls.qw_downloadnumber][0];cls.qw_downloadnumber++)
{
// check if we need to download the file, and return if so
if (!QW_CL_CheckOrDownloadFile(va(vabuf, sizeof(vabuf), "sound/%s", cl.sound_name[cls.qw_downloadnumber])))
return;
}
cls.qw_downloadtype = dl_none;
// clear sound usage flags for purging of unused sounds
S_ClearUsed();
// precache any sounds used by the client
cl.sfx_wizhit = S_PrecacheSound(cl_sound_wizardhit.string, false, true);
cl.sfx_knighthit = S_PrecacheSound(cl_sound_hknighthit.string, false, true);
cl.sfx_tink1 = S_PrecacheSound(cl_sound_tink1.string, false, true);
cl.sfx_ric1 = S_PrecacheSound(cl_sound_ric1.string, false, true);
cl.sfx_ric2 = S_PrecacheSound(cl_sound_ric2.string, false, true);
cl.sfx_ric3 = S_PrecacheSound(cl_sound_ric3.string, false, true);
cl.sfx_r_exp3 = S_PrecacheSound(cl_sound_r_exp3.string, false, true);
// sounds used by the game
for (i = 1;i < MAX_SOUNDS && cl.sound_name[i][0];i++)
cl.sound_precache[i] = S_PrecacheSound(cl.sound_name[i], true, true);
// we purge the models and sounds later in CL_SignonReply
//S_PurgeUnused();
// check memory integrity
Mem_CheckSentinelsGlobal();
// done with sound downloads, next we check models
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "modellist %i %i", cl.qw_servercount, 0));
break;
case dl_none:
default:
Con_Printf("Unknown download type.\n");
}
}
static void QW_CL_ParseDownload(void)
{
int size = (signed short)MSG_ReadShort(&cl_message);
int percent = MSG_ReadByte(&cl_message);
//Con_Printf("download %i %i%% (%i/%i)\n", size, percent, cls.qw_downloadmemorycursize, cls.qw_downloadmemorymaxsize);
// skip the download fragment if playing a demo
if (!cls.netcon)
{
if (size > 0)
cl_message.readcount += size;
return;
}
if (size == -1)
{
Con_Printf("File not found.\n");
QW_CL_RequestNextDownload();
return;
}
if (cl_message.readcount + (unsigned short)size > cl_message.cursize)
Host_Error("corrupt download message\n");
// make sure the buffer is big enough to include this new fragment
if (!cls.qw_downloadmemory || cls.qw_downloadmemorymaxsize < cls.qw_downloadmemorycursize + size)
{
unsigned char *old;
while (cls.qw_downloadmemorymaxsize < cls.qw_downloadmemorycursize + size)
cls.qw_downloadmemorymaxsize *= 2;
old = cls.qw_downloadmemory;
cls.qw_downloadmemory = (unsigned char *)Mem_Alloc(cls.permanentmempool, cls.qw_downloadmemorymaxsize);
if (old)
{
memcpy(cls.qw_downloadmemory, old, cls.qw_downloadmemorycursize);
Mem_Free(old);
}
}
// read the fragment out of the packet
MSG_ReadBytes(&cl_message, size, cls.qw_downloadmemory + cls.qw_downloadmemorycursize);
cls.qw_downloadmemorycursize += size;
cls.qw_downloadspeedcount += size;
cls.qw_downloadpercent = percent;
if (percent != 100)
{
// request next fragment
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, "nextdl");
}
else
{
// finished file
Con_Printf("Downloaded \"%s\"\n", cls.qw_downloadname);
FS_WriteFile(cls.qw_downloadname, cls.qw_downloadmemory, cls.qw_downloadmemorycursize);
cls.qw_downloadpercent = 0;
// start downloading the next file (or join the game)
QW_CL_RequestNextDownload();
}
}
static void QW_CL_ParseModelList(void)
{
int n;
int nummodels = MSG_ReadByte(&cl_message);
char *str;
char vabuf[1024];
// parse model precache list
for (;;)
{
str = MSG_ReadString(&cl_message, cl_readstring, sizeof(cl_readstring));
if (!str[0])
break;
nummodels++;
if (nummodels==MAX_MODELS)
Host_Error("Server sent too many model precaches");
if (strlen(str) >= MAX_QPATH)
Host_Error("Server sent a precache name of %i characters (max %i)", (int)strlen(str), MAX_QPATH - 1);
dp_strlcpy(cl.model_name[nummodels], str, sizeof (cl.model_name[nummodels]));
}
n = MSG_ReadByte(&cl_message);
if (n)
{
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "modellist %i %i", cl.qw_servercount, n));
return;
}
CL_SetSignonStage_WithMsg(2);
cls.qw_downloadnumber = 0;
cls.qw_downloadtype = dl_model;
QW_CL_RequestNextDownload();
}
static void QW_CL_ParseSoundList(void)
{
int n;
int numsounds = MSG_ReadByte(&cl_message);
char *str;
char vabuf[1024];
// parse sound precache list
for (;;)
{
str = MSG_ReadString(&cl_message, cl_readstring, sizeof(cl_readstring));
if (!str[0])
break;
numsounds++;
if (numsounds==MAX_SOUNDS)
Host_Error("Server sent too many sound precaches");
if (strlen(str) >= MAX_QPATH)
Host_Error("Server sent a precache name of %i characters (max %i)", (int)strlen(str), MAX_QPATH - 1);
dp_strlcpy(cl.sound_name[numsounds], str, sizeof (cl.sound_name[numsounds]));
}
n = MSG_ReadByte(&cl_message);
if (n)
{
MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
MSG_WriteString(&cls.netcon->message, va(vabuf, sizeof(vabuf), "soundlist %i %i", cl.qw_servercount, n));
return;
}
CL_SetSignonStage_WithMsg(2);
cls.qw_downloadnumber = 0;
cls.qw_downloadtype = dl_sound;
QW_CL_RequestNextDownload();
}
static void QW_CL_Skins_f(cmd_state_t *cmd)
{
cls.qw_downloadnumber = 0;
cls.qw_downloadtype = dl_skin;
QW_CL_RequestNextDownload();
}
static void QW_CL_Changing_f(cmd_state_t *cmd)
{
if (cls.qw_downloadmemory) // don't change when downloading
return;
S_StopAllSounds();
cl.intermission = 0;
CL_SetSignonStage_WithMsg(1); // not active anymore, but not disconnected
Con_Printf("\nChanging map...\n");
}
void QW_CL_NextUpload_f(cmd_state_t *cmd)
{
int r, percent, size;
if (!cls.qw_uploaddata)
return;
r = cls.qw_uploadsize - cls.qw_uploadpos;
if (r > 768)
r = 768;
size = min(1, cls.qw_uploadsize);
percent = (cls.qw_uploadpos+r)*100/size;
MSG_WriteByte(&cls.netcon->message, qw_clc_upload);
MSG_WriteShort(&cls.netcon->message, r);
MSG_WriteByte(&cls.netcon->message, percent);
SZ_Write(&cls.netcon->message, cls.qw_uploaddata + cls.qw_uploadpos, r);
Con_DPrintf("UPLOAD: %6d: %d written\n", cls.qw_uploadpos, r);
cls.qw_uploadpos += r;
if (cls.qw_uploadpos < cls.qw_uploadsize)
return;
Con_Printf("Upload completed\n");
QW_CL_StopUpload_f(cmd);
}
void QW_CL_StartUpload(unsigned char *data, int size)
{
// do nothing in demos or if not connected
if (!cls.netcon)
return;
// abort existing upload if in progress
QW_CL_StopUpload_f(cmd_local);
Con_DPrintf("Starting upload of %d bytes...\n", size);
cls.qw_uploaddata = (unsigned char *)Mem_Alloc(cls.permanentmempool, size);
memcpy(cls.qw_uploaddata, data, size);
cls.qw_uploadsize = size;
cls.qw_uploadpos = 0;
QW_CL_NextUpload_f(cmd_local);
}
#if 0
qbool QW_CL_IsUploading(void)
{
return cls.qw_uploaddata != NULL;
}
#endif
void QW_CL_StopUpload_f(cmd_state_t *cmd)
{
if (cls.qw_uploaddata)
Mem_Free(cls.qw_uploaddata);
cls.qw_uploaddata = NULL;
cls.qw_uploadsize = 0;
cls.qw_uploadpos = 0;
}
static void QW_CL_ProcessUserInfo(int slot)
{
int topcolor, bottomcolor;
char temp[2048];
InfoString_GetValue(cl.scores[slot].qw_userinfo, "name", cl.scores[slot].name, sizeof(cl.scores[slot].name));
InfoString_GetValue(cl.scores[slot].qw_userinfo, "topcolor", temp, sizeof(temp));topcolor = atoi(temp);
InfoString_GetValue(cl.scores[slot].qw_userinfo, "bottomcolor", temp, sizeof(temp));bottomcolor = atoi(temp);
cl.scores[slot].colors = topcolor * 16 + bottomcolor;
InfoString_GetValue(cl.scores[slot].qw_userinfo, "*spectator", temp, sizeof(temp));
cl.scores[slot].qw_spectator = temp[0] != 0;
InfoString_GetValue(cl.scores[slot].qw_userinfo, "team", cl.scores[slot].qw_team, sizeof(cl.scores[slot].qw_team));
InfoString_GetValue(cl.scores[slot].qw_userinfo, "skin", cl.scores[slot].qw_skin, sizeof(cl.scores[slot].qw_skin));
if (!cl.scores[slot].qw_skin[0])
dp_strlcpy(cl.scores[slot].qw_skin, "base", sizeof(cl.scores[slot].qw_skin));
// TODO: skin cache
}
static void QW_CL_UpdateUserInfo(void)
{
int slot;
slot = MSG_ReadByte(&cl_message);
if (slot >= cl.maxclients)
{
Con_Printf("svc_updateuserinfo >= cl.maxclients\n");