-
Notifications
You must be signed in to change notification settings - Fork 1
/
galaxis.py
2343 lines (2071 loc) · 84 KB
/
galaxis.py
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
#!/usr/bin/python3
###############################
# GALAXIS electronic V7.1 #
# von Daniel Luginbuehl #
# (C) 2022 #
# #
# Serveradresse #
# galaxis.game-host.org #
###############################
from __future__ import print_function
import os
import sys
import time
import configparser
import hashlib
import subprocess
import shutil
from time import sleep
#### Alles zur config.ini ####
# Bemerkungen für config.ini
REMARKS = """
# multiplikator = 20 --> entspricht einem Spielfeld von 720 x 560 Pixel / corresponds to a field of 720 x 560 pixels
# multiplikator = 30 --> entspricht einem Spielfeld von 1080 x 840 Pixel / corresponds to a field of 1080 x 840 pixels
# multiplikator = 40 --> entspricht einem Spielfeld von 1440 x 1120 Pixel / corresponds to a field of 1440 x 1120 pixels
# ...
# language = de --> für deutsch / language = en --> for english
# nick = - --> Standard Start. nick = MyNickname --> Startet die in spielmodus gewählte Variante mit diesem Nickname
# Starts the variant selected in 'spielmodus' with this nickname
# spielmodus = 1 --> offline | spielmodus = 2 --> online | Wenn nick ungleich '-'
# | If nick is not equal to '-'
# Beispiel / Example:
# nick = aaaa
# spielmodus = 1
# So startet das Spiel immer direkt in der offline Variante
# So the game always starts directly in the offline version
"""
# config.ini schreiben
def write_config():
config.set('DEFAULT', REMARKS, None)
with open('config.ini', 'w', encoding='utf-8') as configfile:
config.write(configfile)
# config.ini vorhanden? Wenn nicht, dann erstellen
config = configparser.ConfigParser(allow_no_value=True)
config.optionxform = str
if not os.path.isfile("config.ini"):
config["DEFAULT"] = {"multiplikator": "25", "language": "de", "nick": "-", "spielmodus": "2", "hostaddr": "galaxis.game-host.org", "hostport": "10002", "local_hiscore": "0"}
write_config()
# config.ini lesen
config.read("config.ini")
nick = config.get("DEFAULT", "nick")
language = config.get("DEFAULT", "language")
HOST_ADDR = config.get("DEFAULT", "hostaddr")
HOST_PORT = int(config.get("DEFAULT", "hostport"))
try:
MULTIPLIKATOR = int(config.get("DEFAULT", "multiplikator"))
except configparser.Error:
config.set("DEFAULT", "multiplikator", "25")
MULTIPLIKATOR = int(25)
try:
LOCAL_HISCORE = 63-int(int(config.get("DEFAULT", "local_hiscore"))**(1/2))
except configparser.Error:
config.set("DEFAULT", "local_hiscore", "0")
write_config()
my_os=sys.platform # Betriebssystem in my_os speichern
winexe = 0
if sys.argv[0].endswith("galaxis.exe") is True: # wenn Windows exe
winexe = 1
if sys.argv[0].endswith("galaxis") is True: # wenn Linux bin
winexe = 2
install = 0
restarted = False
#### Import-Versuche ####
if winexe == 0:
def InstallFrage(wert):
if install > 0:
if language == "de":
print("Ich kann versuchen, die fehlenden Pakete automatisch zu installieren.")
print("q = Abbruch, o = Ok, automatisch installieren")
else:
print("I can try to install the missing packages automatically.")
print("q = Abort, o = Ok, install automatically")
antwort = input('[q/o]: ')
if antwort == "q":
return 2
try:
subprocess.check_call([sys.executable, '-m', 'pip', '-V'])
except subprocess.CalledProcessError:
print()
if language == "de":
print("python3-pip ist nicht installiert!")
print("Installieren mit:")
else:
print("python3-pip is not installed!")
print("Install with:")
print()
print("Debian/Ubuntu/Mint: sudo apt install python3-pip")
print("CentOS/Red Hat/Fedora: sudo dnf install --assumeyes python3-pip")
print("MacOS: sudo easy_install pip")
print("Windows: https://www.geeksforgeeks.org/how-to-install-pip-on-windows/")
print()
if language == "de":
print("Fenster schliesst in 20 Sekunden.")
else:
print("Window closes in 20 seconds.")
sleep(20)
return 2
if wert-4 > -1:
wert-=4
subprocess.check_call([sys.executable, '-m', 'pip', 'install', 'pyasynchat'])
print("pyasynchat is installed / ist installiert")
if wert-2 > -1:
wert-=2
subprocess.check_call([sys.executable, '-m', 'pip', 'install', 'PodSixNet'])
print("PodSixNet is installed / ist installiert")
if wert-1 > -1:
wert-=1
subprocess.check_call([sys.executable, '-m', 'pip', 'install', 'pygame'])
print("Pygame is installed / ist installiert")
return 1
else:
return 0
try:
import pygame
except ImportError as e:
if os.path.isdir(r"pygame"):
shutil.rmtree("pygame")
if os.path.isdir(r"pygame.libs"):
shutil.rmtree("pygame.libs")
if os.path.isdir(r"pygame-2.6.0.data"):
shutil.rmtree("pygame-2.6.0.data")
try:
import pygame
except ImportError as e:
install+=1
if language == "de":
print("pygame ist nicht installiert!")
else:
print("pygame is not installed!")
try:
import PodSixNet
except ImportError as e:
install+=2
if language == "de":
print("PodSixNet ist nicht installiert!")
else:
print("PodSixNet is not installed!")
try:
import asynchat
except ImportError as e:
install+=4
if language == "de":
print("asynchat ist nicht installiert!")
else:
print("asynchat is not installed!")
antwort = InstallFrage(install)
if antwort == 2:
sys.exit()
quit()
if antwort == 1:
if language == "de":
print("Ich starte neu!")
else:
print("I'm restarting!")
time.sleep(2)
sys.stdout.flush()
os.system('"' + sys.argv[0] + '"')
sys.exit()
quit()
else:
import pygame
import PodSixNet
# Importieren der Bibliotheken
import pygame as pg
import random
import json
import threading
import socket
from pygame.locals import *
pygame.init()
from pygame import mixer
from sys import stdin
from re import sub
from ftplib import FTP, error_perm
print()
## Hintergrundbild zufällig bestimmen
bg_image = "space" + str(random.randint(1,9)) + ".jpg"
## Zeichensatz initialisieren
pygame.font.init()
font = pygame.font.SysFont(None, int(27 * MULTIPLIKATOR / 20))
font2 = pygame.font.SysFont(None, int(21 * MULTIPLIKATOR / 20))
font3 = pygame.font.SysFont(None, int(14 * MULTIPLIKATOR / 20))
# Pfad zu mp3 und jpg holen
if winexe == 0:
pfad = os.path.dirname(os.path.abspath(__file__)) + os.sep + "data" + os.sep # wenn Linux bin
else:
pfad = "data" + os.sep # wenn Windows exe
#### Definitionen ####
# Alles für den Update
def move_all_files(src_dir, dest_dir):
# Stelle sicher, dass das Quell- und Zielverzeichnis existieren
if not os.path.exists(src_dir):
raise FileNotFoundError(f"Source directory {src_dir} does not exist.")
if not os.path.exists(dest_dir):
os.makedirs(dest_dir)
# Verschiebe alle Dateien und Verzeichnisse
for item in os.listdir(src_dir):
src_path = os.path.join(src_dir, item)
dest_path = os.path.join(dest_dir, item)
try:
# Wenn die Zieldatei oder das Zielverzeichnis existiert, entferne es
if os.path.exists(dest_path):
if os.path.isfile(dest_path):
os.remove(dest_path)
elif os.path.isdir(dest_path):
shutil.rmtree(dest_path)
# Jetzt verschiebe die Datei oder das Verzeichnis
shutil.move(src_path, dest_dir)
except Exception as e:
print(f"Error moving {src_path} to {dest_path}: {e}")
def is_directory(ftp, name):
"""Überprüfe, ob ein Element ein Verzeichnis ist."""
try:
# Versuche, in das Verzeichnis zu wechseln
ftp.cwd(name)
ftp.cwd('..') # Wechsel zurück zum vorherigen Verzeichnis
return True
except error_perm:
return False
def download_ftp_directory(ftp, remote_dir, local_dir, win, unix, pyt, pygame_installed):
# Erstelle das lokale Verzeichnis, falls es nicht existiert
if not os.path.exists(local_dir):
os.makedirs(local_dir)
# Wechsle in das Remote-Verzeichnis
ftp.cwd(remote_dir)
# Liste der Dateien und Verzeichnisse im Remote-Verzeichnis abrufen
items = ftp.nlst()
for item in items:
local_path = os.path.join(local_dir, item)
# Bedingung: Überspringe Verzeichnisse, die mit 'pygame' beginnen, falls compiled oder pygame_installed nicht vorhanden
if item.startswith("pygame") and ((pyt and not pygame_installed) or not pyt):
print(f"Skipping download of {item} while the game is compiled or pygame subdirectory is not present")
continue
# Bedingung: Überspringe Verzeichnisse, die mit 'async' beginnen, falls Python Variante nicht installiert
if item.startswith("async") and not pyt:
print(f"Skipping download of {item} while Python variant is not present")
continue
# Bedingung: Überspringe Verzeichnis 'PodSixNet', falls Python Variante nicht installiert
if item == "PodSixNet" and not pyt:
print("Skipping download of 'PodSixNet' while Python variant is not present")
continue
if is_directory(ftp, item):
# Wenn es ein Verzeichnis ist, rekursiv herunterladen
try:
download_ftp_directory(ftp, item, local_path, win, unix, pyt, pygame_installed)
except Exception as e:
print(f"Error downloading directory {item}: {e}")
else:
# Überspringe den Download von 'galaxis.exe', wenn 'win' False ist
if item == "galaxis.exe" and not win:
print(f"Skipping download of {item} because Windows is {win}")
continue
# Überspringe den Download von 'galaxis', wenn 'unix' False ist
if item == "galaxis" and not unix:
print(f"Skipping download of {item} because Unix is {unix}")
continue
# Überspringe den Download von 'galaxis.py', wenn 'pyt' False ist
if item == "galaxis.py" and not pyt:
print(f"Skipping download of {item} because Python is {pyt}")
continue
# Wenn es eine Datei ist, herunterladen
try:
with open(local_path, 'wb') as f:
ftp.retrbinary('RETR ' + item, f.write)
print(f'Downloaded: {local_path}')
except Exception as e:
print(f'Error downloading {item}: {e}')
# Wechsle zurück in das übergeordnete Verzeichnis
try:
ftp.cwd('..') # Wechsel zurück zum vorherigen Verzeichnis
except ftplib.error_perm as e:
print(f'Error going back to parent directory: {e}')
def mainupdater(win, unix, pyt, pygame_installed):
# FTP-Server-Daten
HOST = 'galaxis.istmein.de'
PORT = 4321 # Standard FTP-Port
USER = 'galaxis'
PASSWORD = 'electronic'
REMOTE_DIR = 'source' # Remote-Verzeichnis
LOCAL_DIR = 'new_release' # Lokales Verzeichnis
# Verbinde mit dem FTP-Server
ftp = FTP()
ftp.connect(HOST, PORT)
ftp.login(USER, PASSWORD)
# Starte den Download des Remote-Verzeichnisses
download_ftp_directory(ftp, REMOTE_DIR, LOCAL_DIR, win, unix, pyt, pygame_installed)
# Verbindung schließen
ftp.quit()
# updater.py holen
def get_pyupdater():
if os.path.exists("updater.py"):
return
ftp = FTP()
ftp.connect("galaxis.istmein.de", 4321)
ftp.login("galaxis", "electronic")
ftp.cwd("source")
with open("updater.py", "wb") as f:
ftp.retrbinary("RETR updater.py", f.write)
ftp.quit()
if os.path.exists("updater.py") and my_os != "win32":
os.chmod("updater.py", 0o755)
def updateme():
# Exists Binary and/or Python file?
unix, win, pyt = False, False, False
unix1, win1, pyt1 = False, False, False
if os.path.isfile("galaxis"):
unix1 = True
if os.path.isfile("galaxis.exe"):
win1 = True
if os.path.isfile("galaxis.py"):
pyt1 = True
if pyt1 and (win1 or unix1):
if language == "de":
print("Nebst der Python Variante ist auch installiert:")
else:
print("In addition to the Python variant is also installed:")
print()
if win1: print("Windows exe")
if unix1: print("Linux Binary")
print()
if language == "de":
print("Welche soll ich behalten?")
print("A = Alle, L = nur Linux Binary, W = nur Windows exe, P = nur Python Variante, Q = Abbruch")
else:
print("Which ones should I keep?")
print("A = All, L = Linux binary only, W = Windows exe only, P = Python variant only, Q = Quit")
print()
while True:
if language == "de":
eingabe = "Wähle: "
else:
eingabe = "Select: "
answer = input(eingabe).strip()
if answer.lower().startswith('a'):
if unix1: unix = True
if win1: win = True
if pyt1: pyt = True
break
if answer.lower().startswith('l') and unix1:
unix = True
break
if answer.lower().startswith('w') and win1:
win = True
break
if answer.lower().startswith('p') and pyt1:
pyt = True
break
if answer.lower().startswith('q'):
return
else:
unix = unix1
win = win1
pyt = pyt1
# Exist pygame directory?
pygame_installed = os.path.isdir("pygame")
# Delete new_release directory
shutil.rmtree("new_release", ignore_errors=True)
# Download new release
print()
print("Starting download...")
mainupdater(win, unix, pyt, pygame_installed)
print("Download completed")
print()
# Remove directories in game root
dirs_to_remove = ["data", "PodSixNet", "asyncore", "asynchat", "pygame", "pygame.libs", "pygame-2.6.0.data"]
for f in dirs_to_remove:
shutil.rmtree(f, ignore_errors=True)
# Move all directories and files
print("Move directories and files to game root")
move_all_files('new_release', '.')
# if os.path.exists("config.ini"):
# print("Backup config.ini")
# shutil.move("config.ini", "new_release/config.ini")
# Build starter.sh for Linux binary
if unix:
print("Build starter.sh")
if unix and not pyt:
with open("starter.sh", "w") as f:
f.write("#!/bin/sh\n\n")
f.write("export LD_PRELOAD=/usr/lib64/libstdc++.so.6\n")
f.write("export LD_PRELOAD=/usr/lib/x86_64-linux-gnu/libstdc++.so.6\n\n")
f.write('HOME="$(cd -- "$(dirname -- "$0")" && pwd)"\n')
f.write('cd ${HOME} ; ./galaxis\n')
if unix and pyt:
with open("starter.sh", "w") as f:
f.write("#!/bin/sh\n\n")
f.write("export LD_PRELOAD=/usr/lib64/libstdc++.so.6\n")
f.write("export LD_PRELOAD=/usr/lib/x86_64-linux-gnu/libstdc++.so.6\n\n")
f.write('HOME="$(cd -- "$(dirname -- "$0")" && pwd)"\n')
f.write('cd ${HOME} ; ./galaxis\n\n')
f.write('#### starter for Python variant is different!!:\n\n')
f.write('#HOME="$(cd -- "$(dirname -- "$0")" && pwd)"\n')
f.write('#cd ${HOME} ; ./galaxis.py\n')
# Remove excess files and directories
print("Remove excess files and directories")
if win and not unix:
if os.path.exists("galaxis"):
os.remove("galaxis")
if win and not unix and not pyt:
if os.path.exists("starter.sh"):
os.remove("starter.sh")
if unix and not win:
if os.path.exists("galaxis.exe"):
os.remove("galaxis.exe")
if not pyt:
shutil.rmtree("PodSixNet", ignore_errors=True)
shutil.rmtree("asyncore", ignore_errors=True)
shutil.rmtree("asynchat", ignore_errors=True)
if os.path.exists("galaxis.py"):
os.remove("galaxis.py")
shutil.rmtree("pygame", ignore_errors=True)
shutil.rmtree("pygame.libs", ignore_errors=True)
shutil.rmtree("pygame-2.6.0.data", ignore_errors=True)
# Make executable
if unix and my_os != "win32":
if os.path.exists("galaxis"):
os.chmod("galaxis", 0o755)
if win and my_os != "win32":
if os.path.exists("galaxis.exe"):
os.chmod("galaxis.exe", 0o755)
elif pyt and my_os != "win32":
if os.path.exists("galaxis.py"):
os.chmod("galaxis.py", 0o755)
# Make executable
if os.path.exists("starter.sh") and my_os != "win32":
os.chmod("starter.sh", 0o755)
if os.path.exists("updater.py") and my_os != "win32":
os.chmod("updater.py", 0o755)
# Remove excess files
if pyt and not unix:
if os.path.exists("galaxis"):
os.remove("galaxis")
if pyt and not win:
if os.path.exists("galaxis.exe"):
os.remove("galaxis.exe")
if os.path.exists("updater.bat"):
os.remove("updater.bat")
if os.path.exists("updater.sh"):
os.remove("updater.sh")
# Restore config.ini
# if os.path.exists("new_release/config.ini"):
# print("Restore config.ini")
# shutil.move("new_release/config.ini", "config.ini")
# Remove temp directory
print("Remove temp directory")
shutil.rmtree("new_release", ignore_errors=True)
# Finish
print()
print("Info:")
if language == "de":
print("Wenn pip den Fehler 'externally-managed-environment' zurück gibt, siehe:")
else:
print("If pip returns the error 'externally-managed-environment', see:")
print("https://www.makeuseof.com/fix-pip-error-externally-managed-environment-linux/")
print()
if language == "de":
print("Bei grösseren Versionssprüngen (längere Zeit kein Update gemacht) kann es von Vorteil sein, den updater.py nochmal zu starten!")
else:
print("In the case of major version jumps (no update for a long time) it can be advantageous to start the updater.py again!")
# Weitere Funktionen für das Spiel
# Korrekturfaktor berechnen
def kor(zahl):
zahl = zahl * MULTIPLIKATOR
return zahl
# Punkt zeichnen
def element_zeichnen(spalte,reihe,farbe):
pygame.draw.ellipse(fenster, farbe, [kor(spalte)*4+2*MULTIPLIKATOR, kor(reihe)*4+2*MULTIPLIKATOR,kor(1),kor(1)], 0)
# Wert im Punkt zeichnen
def element_wert(spalte,reihe,wert):
img = font.render(str(wert), True, SCHWARZ)
fenster.blit(img, ([kor(spalte)*4+2.25*MULTIPLIKATOR, kor(reihe)*4+2.05*MULTIPLIKATOR]))
# Spielzüge zeichnen
def spielzuge(wert):
if language == "de":
stand = "Spielzüge: " + str(wert)
else:
stand = " Moves: " + str(wert)
imag = font.render(stand, True, BLAU)
pygame.draw.rect(fenster, SCHWARZ, [kor(4.45)*4+2.66*MULTIPLIKATOR, kor(5.46)*4+2.17*MULTIPLIKATOR,kor(1.8),kor(1)], 0)
fenster.blit(imag, ([kor(3.4)*4+2.25*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
# Hiscore zeichnen
def hiscore():
imag = font2.render("Hiscore: " + str(LOCAL_HISCORE), True, ROT)
fenster.blit(imag, ([kor(0.4)*4+2.25*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
# Spiel gewonnen
def gewonnen():
if language == "de":
imag = font.render("Spiel gewonnen :)", True, ROT)
else:
imag = font.render("Won the game :)", True, ROT)
fenster.blit(imag, ([kor(2.0)*6+2.25*MULTIPLIKATOR, kor(3.5)*4+2.05*MULTIPLIKATOR]))
def gewonnen_offline(info):
imag = font.render(info, True, ROT)
fenster.blit(imag, ([kor(1.0)*4+2.25*MULTIPLIKATOR, kor(3.5)*4+2.05*MULTIPLIKATOR]))
# Spiel verloren
def verloren(gegner_name):
if language == "de":
imag = font.render("Spiel verloren :(", True, ROT)
fenster.blit(imag, ([kor(2.0)*6+2.25*MULTIPLIKATOR, kor(3.5)*4+2.05*MULTIPLIKATOR]))
print("Gegner hat gewonnen!!!")
#time.sleep(6.7)
info = "Dein Gegner " + gegner_name + " hat gewonnen."
else:
imag = font.render("Lost the game :(", True, ROT)
fenster.blit(imag, ([kor(2.0)*6+2.25*MULTIPLIKATOR, kor(3.5)*4+2.05*MULTIPLIKATOR]))
print("Opponent won!!!")
#time.sleep(6.7)
info = "Your opponent " + gegner_name + " won."
userinfo(info)
pygame.display.flip()
mixer.music.load(pfad + "gewonnen.mp3")
mixer.music.play()
# Ja/Nein zeichnen
def ja_nein_zeichnen(grund): # 0 noch eine Runde, 1 auto Update
if language == "de":
if grund == 0:
imag = font.render("Möchtest Du noch eine Runde spielen?", True, ROT)
fenster.blit(imag, ([kor(9.9), kor(20.05)]))
else:
imag = font.render("Neue Version verfügbar. Soll ich automatisch updaten?", True, ROT)
fenster.blit(imag, ([kor(6.0), kor(20.05)]))
pygame.draw.ellipse(fenster, GELB, [kor(3)*4+MULTIPLIKATOR, kor(5.5)*4+MULTIPLIKATOR,kor(3),kor(3)], 0)
pygame.draw.ellipse(fenster, GELB, [kor(5)*4+MULTIPLIKATOR, kor(5.5)*4+MULTIPLIKATOR,kor(3),kor(3)], 0)
img = font.render(str("Ja"), True, SCHWARZ)
fenster.blit(img, ([kor(3)*4+2.00*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
img = font.render(str("Nein"), True, SCHWARZ)
fenster.blit(img, ([kor(5)*4+1.50*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
else:
if grund == 0:
imag = font.render("Would you like to play another round?", True, ROT)
fenster.blit(imag, ([kor(9.9), kor(20.05)]))
else:
imag = font.render("New version available. Should I update automatically?", True, ROT)
fenster.blit(imag, ([kor(6.0), kor(20.05)]))
pygame.draw.ellipse(fenster, GELB, [kor(3)*4+MULTIPLIKATOR, kor(5.5)*4+MULTIPLIKATOR,kor(3),kor(3)], 0)
pygame.draw.ellipse(fenster, GELB, [kor(5)*4+MULTIPLIKATOR, kor(5.5)*4+MULTIPLIKATOR,kor(3),kor(3)], 0)
img = font.render(str("Yes"), True, SCHWARZ)
fenster.blit(img, ([kor(3)*4+1.75*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
img = font.render(str("No"), True, SCHWARZ)
fenster.blit(img, ([kor(5)*4+2.00*MULTIPLIKATOR, kor(5.5)*4+2.05*MULTIPLIKATOR]))
# Raumschiff zeichnen
def raumschiff_zeichnen(spalte,reihe,farbe):
pygame.draw.ellipse(fenster, farbe, [kor(spalte)*4+1.5*MULTIPLIKATOR, kor(reihe)*4+1.5*MULTIPLIKATOR,kor(2),kor(2)], 0)
# Anfrage auswerten > return 5 = Raumschiff gefunden
def ping(spalte, reihe):
mixer.music.load(pfad + "suchen.mp3")
mixer.music.play()
time.sleep(3.6)
n = 0
if galaxis[reihe][spalte] == 5:
if gefunden == 3:
return 5
mixer.music.load(pfad + "gefunden.mp3")
mixer.music.play()
time.sleep(3.5)
return 5
# x-
x = spalte
while x > 0:
x = x - 1
if galaxis[reihe][x] == 5:
n = n + 1
break
# x+
x = spalte
while x < 8:
x = x + 1
if galaxis[reihe][x] == 5:
n = n + 1
break
# y-
y = reihe
while y > 0:
y = y - 1
if galaxis[y][spalte] == 5:
n = n + 1
break
# y+
y = reihe
while y < 6:
y = y + 1
if galaxis[y][spalte] == 5:
n = n + 1
break
# x- y-
x = spalte
y = reihe
while x > 0 and y > 0:
x = x - 1
y = y - 1
if galaxis[y][x] == 5:
n = n + 1
break
# x+ y+
x = spalte
y = reihe
while x < 8 and y < 6:
x = x + 1
y = y + 1
if galaxis[y][x] == 5:
n = n + 1
break
# x+ y-
x = spalte
y = reihe
while x < 8 and y > 0:
x = x + 1
y = y - 1
if galaxis[y][x] == 5:
n = n + 1
break
# x- y+
x = spalte
y = reihe
while x > 0 and y < 6:
x = x - 1
y = y + 1
if galaxis[y][x] == 5:
n = n + 1
break
if n==1:
mixer.music.load(pfad + "1beep.mp3")
mixer.music.play()
time.sleep(0.8)
if n==2:
mixer.music.load(pfad + "2beep.mp3")
mixer.music.play()
time.sleep(1.4)
if n==3:
mixer.music.load(pfad + "3beep.mp3")
mixer.music.play()
time.sleep(2.7)
if n==4:
mixer.music.load(pfad + "4beep.mp3")
mixer.music.play()
time.sleep(2.7)
if n==0:
mixer.music.load(pfad + "0beep.mp3")
mixer.music.play()
time.sleep(2.0)
galaxis[reihe][spalte] = n
return n
# Mauszeiger-Position berechnen
def fensterposition(x,y):
x = abs((x - 0.6 * MULTIPLIKATOR)/(4 * MULTIPLIKATOR))
y = abs((y - 0.6 * MULTIPLIKATOR)/(4 * MULTIPLIKATOR))
if x < 0:
x = 0
if y < 0:
y = 0
if x > 8:
x = 8
if y > 6:
y = 6
return x, y
def chatfensterposition(x,y):
x = abs((x - 0.6 * MULTIPLIKATOR)/(4 * MULTIPLIKATOR))
y = abs((y - 0.6 * MULTIPLIKATOR)/(4 * MULTIPLIKATOR))
if x < 0:
x = 0
if y < 0:
y = 0
return x, y
# Spielfeld zeichnen
def spielfeld_zeichnen(bg_image):
# Hintergrundbild holen
bild = pygame.image.load(pfad + bg_image)
bg = pygame.transform.scale(bild, (40 * MULTIPLIKATOR, 28 * MULTIPLIKATOR))
# Hintergrundfarbe/Bild Fenster
fenster.fill(SCHWARZ)
fenster.blit(bg, (-50, 0))
# X Koordinaten zeichnen 1-9
for x in range(0,9):
img = font.render(str(x+1), True, WEISS)
fenster.blit(img, (kor(x)*4+2.3*MULTIPLIKATOR, 12))
# Y Koordinaten zeichnen A-G
Ybuchstaben='GFEDCBA'
for x in range(0,7):
img = font.render(Ybuchstaben[x], True, WEISS)
fenster.blit(img, (12, kor(x)*4+2.1*MULTIPLIKATOR))
# Zeichnen der Punkte im Spielfenster
for x in range(0,9):
for y in range(0,7):
element_zeichnen(x,y,GRAU)
# Offline oder Netzwerk Spiel und/oder Neu gestartet?
class InputBox:
def __init__(self, x, y, w, h, text=""):
self.rect = pg.Rect(x, y, w, h)
self.color = COLOR_INACTIVE
self.text = text
self.txt_surface = FONT.render(text+"_", True, self.color)
self.active = False
if language == "de":
self.beschreibung1 = FONT2.render("Für online Spiel, gib Deinen Nicknamen ein (mind 3 Buchstaben)", True, ROT)
self.beschreibung2 = FONT2.render("Für offline Spiel, ENTER drücken", True, ROT)
self.beschreibung3 = FONT3.render("Für Update, #update eingeben", True, ROT)
else:
self.beschreibung1 = FONT2.render("For online game, enter your nickname (at least 3 letters)", True, ROT)
self.beschreibung2 = FONT2.render("For offline game, press ENTER", True, ROT)
self.beschreibung3 = FONT3.render("For Update, enter #update", True, ROT)
def handle_event(self, event):
if event.type == pg.KEYDOWN:
if event.key == pg.K_RETURN:
nickname = self.text
return nickname
elif event.key == pg.K_BACKSPACE:
self.text = self.text[:-1]
else:
self.text += event.unicode
# Re-render the text.
self.txt_surface = FONT.render(self.text+"_", True, self.color)
def update(self):
# Resize the box if the text is too long.
width = max(200, self.txt_surface.get_width()+10)
self.rect.w = width
def draw(self, screen):
# Blit the text.
screen.blit(self.txt_surface, (self.rect.x+5, self.rect.y+5))
# Blit the rect.
pg.draw.rect(screen, self.color, self.rect, 2)
screen.blit(self.beschreibung1, (25, 5))
screen.blit(self.beschreibung2, (25, 31))
screen.blit(self.beschreibung3, (25, 59))
# genutzte Farben
GELB = ( 255, 255, 0)
SCHWARZ = ( 0, 0, 0)
GRAU = ( 192, 192, 192)
ROT = ( 255, 0, 0)
WEISS = ( 255, 255, 255)
BLAU = ( 51, 255, 255)
# Nickname bearbeiten
def edit_nick(text=""):
return sub('[^abcdefghijklmnopqrstuvwxyzäöüéèàABCDEFGHIJKLMNOPQRSTUVWXYZÄÖÜ1234567890._]', '', text)
# Nickname bei Aufruf mitgegeben?
try:
nick = sys.argv[1]
except IndexError:
pass
nick = nick.replace(" ", "")
if nick == "-":
if len(nick) < 3:
pg.init()
screen = pg.display.set_mode((640, 150))
if language == "de":
pygame.display.set_caption("GALAXIS Spielmodus")
else:
pygame.display.set_caption("GALAXIS game mode")
COLOR_INACTIVE = pg.Color('lightskyblue3')
COLOR_ACTIVE = pg.Color('dodgerblue2')
FONT = pg.font.Font(None, 32)
FONT2 = pg.font.Font(None, 27)
FONT3 = pg.font.Font(None, 22)
pygame.display.flip()
clock = pg.time.Clock()
input_box = InputBox(220, 100, 140, 32)
done = False
while not done:
for event in pg.event.get():
if event.type == pg.QUIT:
done = True
nickname = input_box.handle_event(event)
if nickname != "-" and nickname != None:
nickname = nickname.replace(" ", "")
if len(nickname) > 2:
spielmodus = 2
done = True
else:
spielmodus = 1
done = True
input_box.update()
screen.fill((30, 30, 30))
input_box.draw(screen)
pg.display.flip()
clock.tick(30)
else:
nickname = nick
spielmodus = int(config.get("DEFAULT", "spielmodus"))
else:
nickname = nick
if len(nickname) > 2:
spielmodus = 2
else:
spielmodus = 1
if nickname == "#update":
pygame.quit()
updateme()
print()
if language == "de":
print("Starte das Spiel neu.")
else:
print("Please restart the game.")
sys.exit()
nickname = edit_nick(nickname) # Nicht erlaubte Zeichen löschen
nickname = nickname[:10] # Nickname auf 10 Zeichen kürzen
# Sound initialisieren
mixer.init()
mixer.music.set_volume(0.7)
# Multiplikator
#MULTIPLIKATOR = 20
# Bildschirm Aktualisierungen einstellen
clock = pygame.time.Clock()
pygame.key.set_repeat(10,0)
# Spielfeld Vorgabewerte: 0-4 Rückgabewerte , 5 = Raumschiff , 6 = noch nicht angepeilt
galaxis=[
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
[6,6,6,6,6,6,6,6,6],
]
# Spielfeld: 1 = wenn bereits angepeilt , 0 = noch nicht angepeilt , 2 = schwarz markiert
angepeilt=[
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
[0,0,0,0,0,0,0,0,0],
]
if spielmodus == 1: # Offline Spiel
# Spielfeld erzeugen über Berechnung
fenster = pygame.display.set_mode((36 * MULTIPLIKATOR, 28 * MULTIPLIKATOR))
# Titel für Fensterkopf
if language == "de":
pygame.display.set_caption("GALAXIS electronic (ESC zum verlassen)")
else:
pygame.display.set_caption("GALAXIS electronic (ESC to exit)")
# Raumschiffe zufällig verstecken
n=0
while n<4:
x = random.randint(0, 8)
y = random.randint(0, 6)
if galaxis[y][x] == 6:
galaxis[y][x] = 5
n=n+1
spielfeld_zeichnen(bg_image)
hiscore()
gefunden = 0
spielzuege = 0
alarm = 0
spielaktiv = True
# Spiel Hauptschleife
while spielaktiv:
for event in pygame.event.get():
if event.type == pygame.QUIT or event.type == pygame.KEYDOWN and event.key == pygame.K_ESCAPE:
spielaktiv = False
#print("Spieler hat beendet")
break
if event.type == QUIT:
pygame.quit()
break
elif event.type == MOUSEBUTTONDOWN:
x = pygame.mouse.get_pos()[0]
y = pygame.mouse.get_pos()[1]
xpos, ypos = fensterposition(x,y)
xpos = int(xpos)