Adding locations micro-service

This commit is contained in:
Zeeshaun Masood 2026-01-20 13:41:38 -06:00
parent a347175e53
commit 196e877711
98 changed files with 4198 additions and 3751 deletions

View File

@ -1,104 +1,104 @@
name: Deploy Promiscuity Auth API name: Deploy Promiscuity Auth API
on: on:
push: push:
branches: branches:
- main - main
workflow_dispatch: {} workflow_dispatch: {}
jobs: jobs:
deploy: deploy:
runs-on: self-hosted runs-on: self-hosted
env: env:
IMAGE_NAME: promiscuity-auth:latest IMAGE_NAME: promiscuity-auth:latest
IMAGE_TAR: /tmp/promiscuity-auth.tar IMAGE_TAR: /tmp/promiscuity-auth.tar
# All nodes that might run the pod (control-plane + workers) # All nodes that might run the pod (control-plane + workers)
NODES: "192.168.86.72 192.168.86.73 192.168.86.74" NODES: "192.168.86.72 192.168.86.73 192.168.86.74"
steps: steps:
- name: Checkout repo - name: Checkout repo
uses: actions/checkout@v4 uses: actions/checkout@v4
# ----------------------------- # -----------------------------
# Build Docker image # Build Docker image
# ----------------------------- # -----------------------------
- name: Build Docker image - name: Build Docker image
run: | run: |
cd microservices/AuthApi cd microservices/AuthApi
docker build -t "${IMAGE_NAME}" . docker build -t "${IMAGE_NAME}" .
# ----------------------------- # -----------------------------
# Save image as TAR on runner # Save image as TAR on runner
# ----------------------------- # -----------------------------
- name: Save Docker image to TAR - name: Save Docker image to TAR
run: | run: |
docker save "${IMAGE_NAME}" -o "${IMAGE_TAR}" docker save "${IMAGE_NAME}" -o "${IMAGE_TAR}"
# ----------------------------- # -----------------------------
# Copy TAR to each Kubernetes node # Copy TAR to each Kubernetes node
# ----------------------------- # -----------------------------
- name: Copy TAR to nodes - name: Copy TAR to nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Copying image tar to $node ..." echo "Copying image tar to $node ..."
scp -o StrictHostKeyChecking=no "${IMAGE_TAR}" hz@"$node":/tmp/promiscuity-auth.tar scp -o StrictHostKeyChecking=no "${IMAGE_TAR}" hz@"$node":/tmp/promiscuity-auth.tar
done done
# ----------------------------- # -----------------------------
# Import image into containerd on each node # Import image into containerd on each node
# ----------------------------- # -----------------------------
- name: Import image on nodes - name: Import image on nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Importing image on $node ..." echo "Importing image on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "sudo ctr -n k8s.io images import /tmp/promiscuity-auth.tar" ssh -o StrictHostKeyChecking=no hz@"$node" "sudo ctr -n k8s.io images import /tmp/promiscuity-auth.tar"
done done
# ----------------------------- # -----------------------------
# CLEANUP: delete TAR from nodes # CLEANUP: delete TAR from nodes
# ----------------------------- # -----------------------------
- name: Clean TAR from nodes - name: Clean TAR from nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Removing image tar on $node ..." echo "Removing image tar on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "rm -f /tmp/promiscuity-auth.tar" ssh -o StrictHostKeyChecking=no hz@"$node" "rm -f /tmp/promiscuity-auth.tar"
done done
# ----------------------------- # -----------------------------
# CLEANUP: delete TAR from runner # CLEANUP: delete TAR from runner
# ----------------------------- # -----------------------------
- name: Clean TAR on runner - name: Clean TAR on runner
run: | run: |
rm -f "${IMAGE_TAR}" rm -f "${IMAGE_TAR}"
# ----------------------------- # -----------------------------
# Write kubeconfig from secret # Write kubeconfig from secret
# ----------------------------- # -----------------------------
- name: Write kubeconfig from secret - name: Write kubeconfig from secret
env: env:
KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }} KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }}
run: | run: |
mkdir -p /tmp/kube mkdir -p /tmp/kube
printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config
# ----------------------------- # -----------------------------
# Apply Kubernetes manifests # Apply Kubernetes manifests
# (You create these files in your repo) # (You create these files in your repo)
# ----------------------------- # -----------------------------
- name: Apply Auth deployment & service - name: Apply Auth deployment & service
env: env:
KUBECONFIG: /tmp/kube/config KUBECONFIG: /tmp/kube/config
run: | run: |
kubectl apply -f microservices/AuthApi/k8s/deployment.yaml -n promiscuity-auth kubectl apply -f microservices/AuthApi/k8s/deployment.yaml -n promiscuity-auth
kubectl apply -f microservices/AuthApi/k8s/service.yaml -n promiscuity-auth kubectl apply -f microservices/AuthApi/k8s/service.yaml -n promiscuity-auth
# ----------------------------- # -----------------------------
# Rollout restart & wait # Rollout restart & wait
# ----------------------------- # -----------------------------
- name: Restart Auth deployment - name: Restart Auth deployment
env: env:
KUBECONFIG: /tmp/kube/config KUBECONFIG: /tmp/kube/config
run: | run: |
kubectl rollout restart deployment/promiscuity-auth -n promiscuity-auth kubectl rollout restart deployment/promiscuity-auth -n promiscuity-auth
kubectl rollout status deployment/promiscuity-auth -n promiscuity-auth kubectl rollout status deployment/promiscuity-auth -n promiscuity-auth

View File

@ -1,103 +1,103 @@
name: Deploy Promiscuity Character API name: Deploy Promiscuity Character API
on: on:
push: push:
branches: branches:
- main - main
workflow_dispatch: {} workflow_dispatch: {}
jobs: jobs:
deploy: deploy:
runs-on: self-hosted runs-on: self-hosted
env: env:
IMAGE_NAME: promiscuity-character:latest IMAGE_NAME: promiscuity-character:latest
IMAGE_TAR: /tmp/promiscuity-character.tar IMAGE_TAR: /tmp/promiscuity-character.tar
# All nodes that might run the pod (control-plane + workers) # All nodes that might run the pod (control-plane + workers)
NODES: "192.168.86.72 192.168.86.73 192.168.86.74" NODES: "192.168.86.72 192.168.86.73 192.168.86.74"
steps: steps:
- name: Checkout repo - name: Checkout repo
uses: actions/checkout@v4 uses: actions/checkout@v4
# ----------------------------- # -----------------------------
# Build Docker image # Build Docker image
# ----------------------------- # -----------------------------
- name: Build Docker image - name: Build Docker image
run: | run: |
cd microservices/CharacterApi cd microservices/CharacterApi
docker build -t "${IMAGE_NAME}" . docker build -t "${IMAGE_NAME}" .
# ----------------------------- # -----------------------------
# Save image as TAR on runner # Save image as TAR on runner
# ----------------------------- # -----------------------------
- name: Save Docker image to TAR - name: Save Docker image to TAR
run: | run: |
docker save "${IMAGE_NAME}" -o "${IMAGE_TAR}" docker save "${IMAGE_NAME}" -o "${IMAGE_TAR}"
# ----------------------------- # -----------------------------
# Copy TAR to each Kubernetes node # Copy TAR to each Kubernetes node
# ----------------------------- # -----------------------------
- name: Copy TAR to nodes - name: Copy TAR to nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Copying image tar to $node ..." echo "Copying image tar to $node ..."
scp -o StrictHostKeyChecking=no "${IMAGE_TAR}" hz@"$node":/tmp/promiscuity-character.tar scp -o StrictHostKeyChecking=no "${IMAGE_TAR}" hz@"$node":/tmp/promiscuity-character.tar
done done
# ----------------------------- # -----------------------------
# Import image into containerd on each node # Import image into containerd on each node
# ----------------------------- # -----------------------------
- name: Import image on nodes - name: Import image on nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Importing image on $node ..." echo "Importing image on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "sudo ctr -n k8s.io images import /tmp/promiscuity-character.tar" ssh -o StrictHostKeyChecking=no hz@"$node" "sudo ctr -n k8s.io images import /tmp/promiscuity-character.tar"
done done
# ----------------------------- # -----------------------------
# CLEANUP: delete TAR from nodes # CLEANUP: delete TAR from nodes
# ----------------------------- # -----------------------------
- name: Clean TAR from nodes - name: Clean TAR from nodes
run: | run: |
for node in ${NODES}; do for node in ${NODES}; do
echo "Removing image tar on $node ..." echo "Removing image tar on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "rm -f /tmp/promiscuity-character.tar" ssh -o StrictHostKeyChecking=no hz@"$node" "rm -f /tmp/promiscuity-character.tar"
done done
# ----------------------------- # -----------------------------
# CLEANUP: delete TAR from runner # CLEANUP: delete TAR from runner
# ----------------------------- # -----------------------------
- name: Clean TAR on runner - name: Clean TAR on runner
run: | run: |
rm -f "${IMAGE_TAR}" rm -f "${IMAGE_TAR}"
# ----------------------------- # -----------------------------
# Write kubeconfig from secret # Write kubeconfig from secret
# ----------------------------- # -----------------------------
- name: Write kubeconfig from secret - name: Write kubeconfig from secret
env: env:
KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }} KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }}
run: | run: |
mkdir -p /tmp/kube mkdir -p /tmp/kube
printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config
# ----------------------------- # -----------------------------
# Apply Kubernetes manifests # Apply Kubernetes manifests
# ----------------------------- # -----------------------------
- name: Apply Character deployment & service - name: Apply Character deployment & service
env: env:
KUBECONFIG: /tmp/kube/config KUBECONFIG: /tmp/kube/config
run: | run: |
kubectl apply -f microservices/CharacterApi/k8s/deployment.yaml -n promiscuity-character kubectl apply -f microservices/CharacterApi/k8s/deployment.yaml -n promiscuity-character
kubectl apply -f microservices/CharacterApi/k8s/service.yaml -n promiscuity-character kubectl apply -f microservices/CharacterApi/k8s/service.yaml -n promiscuity-character
# ----------------------------- # -----------------------------
# Rollout restart & wait # Rollout restart & wait
# ----------------------------- # -----------------------------
- name: Restart Character deployment - name: Restart Character deployment
env: env:
KUBECONFIG: /tmp/kube/config KUBECONFIG: /tmp/kube/config
run: | run: |
kubectl rollout restart deployment/promiscuity-character -n promiscuity-character kubectl rollout restart deployment/promiscuity-character -n promiscuity-character
kubectl rollout status deployment/promiscuity-character -n promiscuity-character kubectl rollout status deployment/promiscuity-character -n promiscuity-character

View File

@ -0,0 +1,103 @@
name: Deploy Promiscuity Locations API
on:
push:
branches:
- main
workflow_dispatch: {}
jobs:
deploy:
runs-on: self-hosted
env:
IMAGE_NAME: promiscuity-locations:latest
IMAGE_TAR: /tmp/promiscuity-locations.tar
# All nodes that might run the pod (control-plane + workers)
NODES: "192.168.86.72 192.168.86.73 192.168.86.74"
steps:
- name: Checkout repo
uses: actions/checkout@v4
# -----------------------------
# Build Docker image
# -----------------------------
- name: Build Docker image
run: |
cd microservices/LocationsApi
docker build -t "${IMAGE_NAME}" .
# -----------------------------
# Save image as TAR on runner
# -----------------------------
- name: Save Docker image to TAR
run: |
docker save "${IMAGE_NAME}" -o "${IMAGE_TAR}"
# -----------------------------
# Copy TAR to each Kubernetes node
# -----------------------------
- name: Copy TAR to nodes
run: |
for node in ${NODES}; do
echo "Copying image tar to $node ..."
scp -o StrictHostKeyChecking=no "${IMAGE_TAR}" hz@"$node":/tmp/promiscuity-locations.tar
done
# -----------------------------
# Import image into containerd on each node
# -----------------------------
- name: Import image on nodes
run: |
for node in ${NODES}; do
echo "Importing image on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "sudo ctr -n k8s.io images import /tmp/promiscuity-locations.tar"
done
# -----------------------------
# CLEANUP: delete TAR from nodes
# -----------------------------
- name: Clean TAR from nodes
run: |
for node in ${NODES}; do
echo "Removing image tar on $node ..."
ssh -o StrictHostKeyChecking=no hz@"$node" "rm -f /tmp/promiscuity-locations.tar"
done
# -----------------------------
# CLEANUP: delete TAR from runner
# -----------------------------
- name: Clean TAR on runner
run: |
rm -f "${IMAGE_TAR}"
# -----------------------------
# Write kubeconfig from secret
# -----------------------------
- name: Write kubeconfig from secret
env:
KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }}
run: |
mkdir -p /tmp/kube
printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config
# -----------------------------
# Apply Kubernetes manifests
# -----------------------------
- name: Apply Locations deployment & service
env:
KUBECONFIG: /tmp/kube/config
run: |
kubectl apply -f microservices/LocationsApi/k8s/deployment.yaml -n promiscuity-locations
kubectl apply -f microservices/LocationsApi/k8s/service.yaml -n promiscuity-locations
# -----------------------------
# Rollout restart & wait
# -----------------------------
- name: Restart Locations deployment
env:
KUBECONFIG: /tmp/kube/config
run: |
kubectl rollout restart deployment/promiscuity-locations -n promiscuity-locations
kubectl rollout status deployment/promiscuity-locations -n promiscuity-locations

View File

@ -1,27 +1,27 @@
name: k8s smoke test name: k8s smoke test
on: on:
push: push:
branches: branches:
- main - main
workflow_dispatch: workflow_dispatch:
jobs: jobs:
test: test:
runs-on: self-hosted runs-on: self-hosted
steps: steps:
- name: Checkout repo - name: Checkout repo
uses: actions/checkout@v4 uses: actions/checkout@v4
- name: Write kubeconfig from secret - name: Write kubeconfig from secret
env: env:
KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }} KUBECONFIG_CONTENT: ${{ secrets.KUBECONFIG }}
run: | run: |
mkdir -p /tmp/kube mkdir -p /tmp/kube
printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config printf '%s\n' "$KUBECONFIG_CONTENT" > /tmp/kube/config
- name: Test kubectl connectivity - name: Test kubectl connectivity
env: env:
KUBECONFIG: /tmp/kube/config KUBECONFIG: /tmp/kube/config
run: | run: |
kubectl get nodes --kubeconfig "${KUBECONFIG}" kubectl get nodes --kubeconfig "${KUBECONFIG}"

View File

@ -1,8 +1,8 @@
Auth Microservice swagger is accessible at https://pauth.ranaze.com/swagger/index.html Auth Microservice swagger is accessible at https://pauth.ranaze.com/swagger/index.html
Character Microservice swagger is accessible at https://pchar.ranaze.com/swagger/index.html Character Microservice swagger is accessible at https://pchar.ranaze.com/swagger/index.html
Test Users: Test Users:
SUPER/SUPER - Super User SUPER/SUPER - Super User
test1/test1 - Super User test1/test1 - Super User
test3/test3 - User test3/test3 - User

32
game/.gitignore vendored
View File

@ -1,17 +1,17 @@
# Godot 4+ specific ignores # Godot 4+ specific ignores
.godot/ .godot/
.nomedia .nomedia
# Godot-specific ignores # Godot-specific ignores
.import/ .import/
export.cfg export.cfg
export_credentials.cfg export_credentials.cfg
*.tmp *.tmp
# Imported translations (automatically generated from CSV files) # Imported translations (automatically generated from CSV files)
*.translation *.translation
# Mono-specific ignores # Mono-specific ignores
.mono/ .mono/
data_*/ data_*/
mono_crash.*.json mono_crash.*.json

View File

@ -1,19 +1,19 @@
[remap] [remap]
importer="oggvorbisstr" importer="oggvorbisstr"
type="AudioStreamOggVorbis" type="AudioStreamOggVorbis"
uid="uid://de2e8sy4x724m" uid="uid://de2e8sy4x724m"
path="res://.godot/imported/jump.ogg-09aff86a6f79a8fce2febb69902962cf.oggvorbisstr" path="res://.godot/imported/jump.ogg-09aff86a6f79a8fce2febb69902962cf.oggvorbisstr"
[deps] [deps]
source_file="res://assets/audio/jump.ogg" source_file="res://assets/audio/jump.ogg"
dest_files=["res://.godot/imported/jump.ogg-09aff86a6f79a8fce2febb69902962cf.oggvorbisstr"] dest_files=["res://.godot/imported/jump.ogg-09aff86a6f79a8fce2febb69902962cf.oggvorbisstr"]
[params] [params]
loop=false loop=false
loop_offset=0 loop_offset=0
bpm=0 bpm=0
beat_count=0 beat_count=0
bar_beats=4 bar_beats=4

View File

@ -1,19 +1,19 @@
[remap] [remap]
importer="oggvorbisstr" importer="oggvorbisstr"
type="AudioStreamOggVorbis" type="AudioStreamOggVorbis"
uid="uid://64dplcgx2icb" uid="uid://64dplcgx2icb"
path="res://.godot/imported/silly-menu-hover-test.ogg-101de051c9810c756b28483653a4c618.oggvorbisstr" path="res://.godot/imported/silly-menu-hover-test.ogg-101de051c9810c756b28483653a4c618.oggvorbisstr"
[deps] [deps]
source_file="res://assets/audio/silly-menu-hover-test.ogg" source_file="res://assets/audio/silly-menu-hover-test.ogg"
dest_files=["res://.godot/imported/silly-menu-hover-test.ogg-101de051c9810c756b28483653a4c618.oggvorbisstr"] dest_files=["res://.godot/imported/silly-menu-hover-test.ogg-101de051c9810c756b28483653a4c618.oggvorbisstr"]
[params] [params]
loop=false loop=false
loop_offset=0 loop_offset=0
bpm=0 bpm=0
beat_count=0 beat_count=0
bar_beats=4 bar_beats=4

View File

@ -1,19 +1,19 @@
[remap] [remap]
importer="oggvorbisstr" importer="oggvorbisstr"
type="AudioStreamOggVorbis" type="AudioStreamOggVorbis"
uid="uid://txgki0ijeuud" uid="uid://txgki0ijeuud"
path="res://.godot/imported/silly-test.ogg-4a08df8a26b9ee1e5d13235e013c7cfc.oggvorbisstr" path="res://.godot/imported/silly-test.ogg-4a08df8a26b9ee1e5d13235e013c7cfc.oggvorbisstr"
[deps] [deps]
source_file="res://assets/audio/silly-test.ogg" source_file="res://assets/audio/silly-test.ogg"
dest_files=["res://.godot/imported/silly-test.ogg-4a08df8a26b9ee1e5d13235e013c7cfc.oggvorbisstr"] dest_files=["res://.godot/imported/silly-test.ogg-4a08df8a26b9ee1e5d13235e013c7cfc.oggvorbisstr"]
[params] [params]
loop=false loop=false
loop_offset=0 loop_offset=0
bpm=0 bpm=0
beat_count=0 beat_count=0
bar_beats=4 bar_beats=4

View File

@ -1,36 +1,36 @@
[remap] [remap]
importer="font_data_dynamic" importer="font_data_dynamic"
type="FontFile" type="FontFile"
uid="uid://m5ceou0rk6j6" uid="uid://m5ceou0rk6j6"
path="res://.godot/imported/PlayfairDisplay-VariableFont_wght.ttf-fbc765a7962e1c71b0eb2c53d6eb2a10.fontdata" path="res://.godot/imported/PlayfairDisplay-VariableFont_wght.ttf-fbc765a7962e1c71b0eb2c53d6eb2a10.fontdata"
[deps] [deps]
source_file="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" source_file="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf"
dest_files=["res://.godot/imported/PlayfairDisplay-VariableFont_wght.ttf-fbc765a7962e1c71b0eb2c53d6eb2a10.fontdata"] dest_files=["res://.godot/imported/PlayfairDisplay-VariableFont_wght.ttf-fbc765a7962e1c71b0eb2c53d6eb2a10.fontdata"]
[params] [params]
Rendering=null Rendering=null
antialiasing=1 antialiasing=1
generate_mipmaps=false generate_mipmaps=false
disable_embedded_bitmaps=true disable_embedded_bitmaps=true
multichannel_signed_distance_field=false multichannel_signed_distance_field=false
msdf_pixel_range=8 msdf_pixel_range=8
msdf_size=48 msdf_size=48
allow_system_fallback=true allow_system_fallback=true
force_autohinter=false force_autohinter=false
modulate_color_glyphs=false modulate_color_glyphs=false
hinting=1 hinting=1
subpixel_positioning=4 subpixel_positioning=4
keep_rounding_remainders=true keep_rounding_remainders=true
oversampling=0.0 oversampling=0.0
Fallbacks=null Fallbacks=null
fallbacks=[] fallbacks=[]
Compress=null Compress=null
compress=true compress=true
preload=[] preload=[]
language_support={} language_support={}
script_support={} script_support={}
opentype_features={} opentype_features={}

View File

@ -1,40 +1,40 @@
[remap] [remap]
importer="texture" importer="texture"
type="CompressedTexture2D" type="CompressedTexture2D"
uid="uid://dhuosr0p605gj" uid="uid://dhuosr0p605gj"
path="res://.godot/imported/pp_start_bg.png-8fb0f850edd45e79935f992c58fa8ca2.ctex" path="res://.godot/imported/pp_start_bg.png-8fb0f850edd45e79935f992c58fa8ca2.ctex"
metadata={ metadata={
"vram_texture": false "vram_texture": false
} }
[deps] [deps]
source_file="res://assets/images/pp_start_bg.png" source_file="res://assets/images/pp_start_bg.png"
dest_files=["res://.godot/imported/pp_start_bg.png-8fb0f850edd45e79935f992c58fa8ca2.ctex"] dest_files=["res://.godot/imported/pp_start_bg.png-8fb0f850edd45e79935f992c58fa8ca2.ctex"]
[params] [params]
compress/mode=0 compress/mode=0
compress/high_quality=false compress/high_quality=false
compress/lossy_quality=0.7 compress/lossy_quality=0.7
compress/uastc_level=0 compress/uastc_level=0
compress/rdo_quality_loss=0.0 compress/rdo_quality_loss=0.0
compress/hdr_compression=1 compress/hdr_compression=1
compress/normal_map=0 compress/normal_map=0
compress/channel_pack=0 compress/channel_pack=0
mipmaps/generate=false mipmaps/generate=false
mipmaps/limit=-1 mipmaps/limit=-1
roughness/mode=0 roughness/mode=0
roughness/src_normal="" roughness/src_normal=""
process/channel_remap/red=0 process/channel_remap/red=0
process/channel_remap/green=1 process/channel_remap/green=1
process/channel_remap/blue=2 process/channel_remap/blue=2
process/channel_remap/alpha=3 process/channel_remap/alpha=3
process/fix_alpha_border=true process/fix_alpha_border=true
process/premult_alpha=false process/premult_alpha=false
process/normal_map_invert_y=false process/normal_map_invert_y=false
process/hdr_as_srgb=false process/hdr_as_srgb=false
process/hdr_clamp_exposure=false process/hdr_clamp_exposure=false
process/size_limit=0 process/size_limit=0
detect_3d/compress_to=1 detect_3d/compress_to=1

View File

@ -1,30 +1,30 @@
# weapon.gd # weapon.gd
extends Resource extends Resource
class_name iWeapon class_name iWeapon
# This acts as an interface base class. # This acts as an interface base class.
# --- Common Stats --- # --- Common Stats ---
@export var weapon_name: String = "Unnamed Weapon" @export var weapon_name: String = "Unnamed Weapon"
@export var damage: float = 10.0 @export var damage: float = 10.0
@export var attack_speed: float = 1.0 # attacks per second @export var attack_speed: float = 1.0 # attacks per second
@export var range: float = 1.5 # meters; melee = short, ranged = long @export var range: float = 1.5 # meters; melee = short, ranged = long
@export var knockback: float = 0.0 @export var knockback: float = 0.0
@export var stamina_cost: float = 5.0 @export var stamina_cost: float = 5.0
# --- Rangedspecific Stats --- # --- Rangedspecific Stats ---
@export var projectile_scene: PackedScene # null for melee @export var projectile_scene: PackedScene # null for melee
@export var projectile_speed: float = 20.0 @export var projectile_speed: float = 20.0
@export var ammo_type: String = "" # e.g. "arrows", "bullets" @export var ammo_type: String = "" # e.g. "arrows", "bullets"
@export var ammo_per_shot: int = 1 @export var ammo_per_shot: int = 1
# --- Meleespecific Stats --- # --- Meleespecific Stats ---
@export var swing_arc: float = 90.0 # degrees @export var swing_arc: float = 90.0 # degrees
@export var hitbox_size: float = 1.0 @export var hitbox_size: float = 1.0
# --- Interface Methods --- # --- Interface Methods ---
func attack(user): func attack(user):
push_error("Weapon.attack() not implemented in subclass") push_error("Weapon.attack() not implemented in subclass")
return null return null
func can_attack(user) -> bool: func can_attack(user) -> bool:
return true return true

View File

@ -1 +1 @@
uid://bttaq8w3plgqh uid://bttaq8w3plgqh

View File

@ -1,59 +1,59 @@
[remap] [remap]
importer="scene" importer="scene"
importer_version=1 importer_version=1
type="PackedScene" type="PackedScene"
uid="uid://bb6hj6l23043x" uid="uid://bb6hj6l23043x"
path="res://.godot/imported/human.blend-738fbf7b85a13f54d00c9db65cf59296.scn" path="res://.godot/imported/human.blend-738fbf7b85a13f54d00c9db65cf59296.scn"
[deps] [deps]
source_file="res://assets/models/human.blend" source_file="res://assets/models/human.blend"
dest_files=["res://.godot/imported/human.blend-738fbf7b85a13f54d00c9db65cf59296.scn"] dest_files=["res://.godot/imported/human.blend-738fbf7b85a13f54d00c9db65cf59296.scn"]
[params] [params]
nodes/root_type="" nodes/root_type=""
nodes/root_name="" nodes/root_name=""
nodes/root_script=null nodes/root_script=null
nodes/apply_root_scale=true nodes/apply_root_scale=true
nodes/root_scale=1.0 nodes/root_scale=1.0
nodes/import_as_skeleton_bones=false nodes/import_as_skeleton_bones=false
nodes/use_name_suffixes=true nodes/use_name_suffixes=true
nodes/use_node_type_suffixes=true nodes/use_node_type_suffixes=true
meshes/ensure_tangents=true meshes/ensure_tangents=true
meshes/generate_lods=true meshes/generate_lods=true
meshes/create_shadow_meshes=true meshes/create_shadow_meshes=true
meshes/light_baking=1 meshes/light_baking=1
meshes/lightmap_texel_size=0.2 meshes/lightmap_texel_size=0.2
meshes/force_disable_compression=false meshes/force_disable_compression=false
skins/use_named_skins=true skins/use_named_skins=true
animation/import=true animation/import=true
animation/fps=30 animation/fps=30
animation/trimming=false animation/trimming=false
animation/remove_immutable_tracks=true animation/remove_immutable_tracks=true
animation/import_rest_as_RESET=false animation/import_rest_as_RESET=false
import_script/path="" import_script/path=""
materials/extract=0 materials/extract=0
materials/extract_format=0 materials/extract_format=0
materials/extract_path="" materials/extract_path=""
_subresources={} _subresources={}
blender/nodes/visible=0 blender/nodes/visible=0
blender/nodes/active_collection_only=false blender/nodes/active_collection_only=false
blender/nodes/punctual_lights=true blender/nodes/punctual_lights=true
blender/nodes/cameras=true blender/nodes/cameras=true
blender/nodes/custom_properties=true blender/nodes/custom_properties=true
blender/nodes/modifiers=1 blender/nodes/modifiers=1
blender/meshes/colors=false blender/meshes/colors=false
blender/meshes/uvs=true blender/meshes/uvs=true
blender/meshes/normals=true blender/meshes/normals=true
blender/meshes/export_geometry_nodes_instances=false blender/meshes/export_geometry_nodes_instances=false
blender/meshes/tangents=true blender/meshes/tangents=true
blender/meshes/skins=2 blender/meshes/skins=2
blender/meshes/export_bones_deforming_mesh_only=false blender/meshes/export_bones_deforming_mesh_only=false
blender/materials/unpack_enabled=true blender/materials/unpack_enabled=true
blender/materials/export_materials=1 blender/materials/export_materials=1
blender/animation/limit_playback=true blender/animation/limit_playback=true
blender/animation/always_sample=true blender/animation/always_sample=true
blender/animation/group_tracks=true blender/animation/group_tracks=true
gltf/naming_version=2 gltf/naming_version=2

View File

@ -1,3 +1,3 @@
[gd_scene format=3 uid="uid://cuyws13lbkmxb"] [gd_scene format=3 uid="uid://cuyws13lbkmxb"]
[node name="Test" type="Node2D"] [node name="Test" type="Node2D"]

View File

@ -1,12 +1,12 @@
[gd_resource type="AudioBusLayout" format=3] [gd_resource type="AudioBusLayout" format=3]
[resource] [resource]
bus/0/name = "Master" bus/0/name = "Master"
bus/0/volume_db = 0.0 bus/0/volume_db = 0.0
bus/0/send = "" bus/0/send = ""
bus/1/name = "Music" bus/1/name = "Music"
bus/1/volume_db = 0.0 bus/1/volume_db = 0.0
bus/1/send = "Master" bus/1/send = "Master"
bus/2/name = "SFX" bus/2/name = "SFX"
bus/2/volume_db = 0.0 bus/2/volume_db = 0.0
bus/2/send = "Master" bus/2/send = "Master"

View File

@ -1,70 +1,70 @@
[preset.0] [preset.0]
name="Windows Desktop" name="Windows Desktop"
platform="Windows Desktop" platform="Windows Desktop"
runnable=true runnable=true
advanced_options=false advanced_options=false
dedicated_server=false dedicated_server=false
custom_features="" custom_features=""
export_filter="all_resources" export_filter="all_resources"
include_filter="" include_filter=""
exclude_filter="" exclude_filter=""
export_path="bin/test.exe" export_path="bin/test.exe"
patches=PackedStringArray() patches=PackedStringArray()
encryption_include_filters="" encryption_include_filters=""
encryption_exclude_filters="" encryption_exclude_filters=""
seed=0 seed=0
encrypt_pck=false encrypt_pck=false
encrypt_directory=false encrypt_directory=false
script_export_mode=2 script_export_mode=2
[preset.0.options] [preset.0.options]
custom_template/debug="" custom_template/debug=""
custom_template/release="" custom_template/release=""
debug/export_console_wrapper=1 debug/export_console_wrapper=1
binary_format/embed_pck=false binary_format/embed_pck=false
texture_format/s3tc_bptc=true texture_format/s3tc_bptc=true
texture_format/etc2_astc=false texture_format/etc2_astc=false
shader_baker/enabled=false shader_baker/enabled=false
binary_format/architecture="x86_64" binary_format/architecture="x86_64"
codesign/enable=false codesign/enable=false
codesign/timestamp=true codesign/timestamp=true
codesign/timestamp_server_url="" codesign/timestamp_server_url=""
codesign/digest_algorithm=1 codesign/digest_algorithm=1
codesign/description="" codesign/description=""
codesign/custom_options=PackedStringArray() codesign/custom_options=PackedStringArray()
application/modify_resources=true application/modify_resources=true
application/icon="" application/icon=""
application/console_wrapper_icon="" application/console_wrapper_icon=""
application/icon_interpolation=4 application/icon_interpolation=4
application/file_version="" application/file_version=""
application/product_version="" application/product_version=""
application/company_name="" application/company_name=""
application/product_name="" application/product_name=""
application/file_description="" application/file_description=""
application/copyright="" application/copyright=""
application/trademarks="" application/trademarks=""
application/export_angle=0 application/export_angle=0
application/export_d3d12=0 application/export_d3d12=0
application/d3d12_agility_sdk_multiarch=true application/d3d12_agility_sdk_multiarch=true
ssh_remote_deploy/enabled=false ssh_remote_deploy/enabled=false
ssh_remote_deploy/host="user@host_ip" ssh_remote_deploy/host="user@host_ip"
ssh_remote_deploy/port="22" ssh_remote_deploy/port="22"
ssh_remote_deploy/extra_args_ssh="" ssh_remote_deploy/extra_args_ssh=""
ssh_remote_deploy/extra_args_scp="" ssh_remote_deploy/extra_args_scp=""
ssh_remote_deploy/run_script="Expand-Archive -LiteralPath '{temp_dir}\\{archive_name}' -DestinationPath '{temp_dir}' ssh_remote_deploy/run_script="Expand-Archive -LiteralPath '{temp_dir}\\{archive_name}' -DestinationPath '{temp_dir}'
$action = New-ScheduledTaskAction -Execute '{temp_dir}\\{exe_name}' -Argument '{cmd_args}' $action = New-ScheduledTaskAction -Execute '{temp_dir}\\{exe_name}' -Argument '{cmd_args}'
$trigger = New-ScheduledTaskTrigger -Once -At 00:00 $trigger = New-ScheduledTaskTrigger -Once -At 00:00
$settings = New-ScheduledTaskSettingsSet -AllowStartIfOnBatteries -DontStopIfGoingOnBatteries $settings = New-ScheduledTaskSettingsSet -AllowStartIfOnBatteries -DontStopIfGoingOnBatteries
$task = New-ScheduledTask -Action $action -Trigger $trigger -Settings $settings $task = New-ScheduledTask -Action $action -Trigger $trigger -Settings $settings
Register-ScheduledTask godot_remote_debug -InputObject $task -Force:$true Register-ScheduledTask godot_remote_debug -InputObject $task -Force:$true
Start-ScheduledTask -TaskName godot_remote_debug Start-ScheduledTask -TaskName godot_remote_debug
while (Get-ScheduledTask -TaskName godot_remote_debug | ? State -eq running) { Start-Sleep -Milliseconds 100 } while (Get-ScheduledTask -TaskName godot_remote_debug | ? State -eq running) { Start-Sleep -Milliseconds 100 }
Unregister-ScheduledTask -TaskName godot_remote_debug -Confirm:$false -ErrorAction:SilentlyContinue" Unregister-ScheduledTask -TaskName godot_remote_debug -Confirm:$false -ErrorAction:SilentlyContinue"
ssh_remote_deploy/cleanup_script="Stop-ScheduledTask -TaskName godot_remote_debug -ErrorAction:SilentlyContinue ssh_remote_deploy/cleanup_script="Stop-ScheduledTask -TaskName godot_remote_debug -ErrorAction:SilentlyContinue
Unregister-ScheduledTask -TaskName godot_remote_debug -Confirm:$false -ErrorAction:SilentlyContinue Unregister-ScheduledTask -TaskName godot_remote_debug -Confirm:$false -ErrorAction:SilentlyContinue
Remove-Item -Recurse -Force '{temp_dir}'" Remove-Item -Recurse -Force '{temp_dir}'"
dotnet/include_scripts_content=false dotnet/include_scripts_content=false
dotnet/include_debug_symbols=true dotnet/include_debug_symbols=true
dotnet/embed_build_outputs=false dotnet/embed_build_outputs=false

View File

@ -1 +1 @@
<svg xmlns="http://www.w3.org/2000/svg" width="128" height="128"><rect width="124" height="124" x="2" y="2" fill="#363d52" stroke="#212532" stroke-width="4" rx="14"/><g fill="#fff" transform="translate(12.322 12.322)scale(.101)"><path d="M105 673v33q407 354 814 0v-33z"/><path fill="#478cbf" d="m105 673 152 14q12 1 15 14l4 67 132 10 8-61q2-11 15-15h162q13 4 15 15l8 61 132-10 4-67q3-13 15-14l152-14V427q30-39 56-81-35-59-83-108-43 20-82 47-40-37-88-64 7-51 8-102-59-28-123-42-26 43-46 89-49-7-98 0-20-46-46-89-64 14-123 42 1 51 8 102-48 27-88 64-39-27-82-47-48 49-83 108 26 42 56 81zm0 33v39c0 276 813 276 814 0v-39l-134 12-5 69q-2 10-14 13l-162 11q-12 0-16-11l-10-65H446l-10 65q-4 11-16 11l-162-11q-12-3-14-13l-5-69z"/><path d="M483 600c0 34 58 34 58 0v-86c0-34-58-34-58 0z"/><circle cx="725" cy="526" r="90"/><circle cx="299" cy="526" r="90"/></g><g fill="#414042" transform="translate(12.322 12.322)scale(.101)"><circle cx="307" cy="532" r="60"/><circle cx="717" cy="532" r="60"/></g></svg> <svg xmlns="http://www.w3.org/2000/svg" width="128" height="128"><rect width="124" height="124" x="2" y="2" fill="#363d52" stroke="#212532" stroke-width="4" rx="14"/><g fill="#fff" transform="translate(12.322 12.322)scale(.101)"><path d="M105 673v33q407 354 814 0v-33z"/><path fill="#478cbf" d="m105 673 152 14q12 1 15 14l4 67 132 10 8-61q2-11 15-15h162q13 4 15 15l8 61 132-10 4-67q3-13 15-14l152-14V427q30-39 56-81-35-59-83-108-43 20-82 47-40-37-88-64 7-51 8-102-59-28-123-42-26 43-46 89-49-7-98 0-20-46-46-89-64 14-123 42 1 51 8 102-48 27-88 64-39-27-82-47-48 49-83 108 26 42 56 81zm0 33v39c0 276 813 276 814 0v-39l-134 12-5 69q-2 10-14 13l-162 11q-12 0-16-11l-10-65H446l-10 65q-4 11-16 11l-162-11q-12-3-14-13l-5-69z"/><path d="M483 600c0 34 58 34 58 0v-86c0-34-58-34-58 0z"/><circle cx="725" cy="526" r="90"/><circle cx="299" cy="526" r="90"/></g><g fill="#414042" transform="translate(12.322 12.322)scale(.101)"><circle cx="307" cy="532" r="60"/><circle cx="717" cy="532" r="60"/></g></svg>

Before

Width:  |  Height:  |  Size: 995 B

After

Width:  |  Height:  |  Size: 996 B

View File

@ -1,43 +1,43 @@
[remap] [remap]
importer="texture" importer="texture"
type="CompressedTexture2D" type="CompressedTexture2D"
uid="uid://f2g3tvryiodc" uid="uid://f2g3tvryiodc"
path="res://.godot/imported/icon.svg-218a8f2b3041327d8a5756f3a245f83b.ctex" path="res://.godot/imported/icon.svg-218a8f2b3041327d8a5756f3a245f83b.ctex"
metadata={ metadata={
"vram_texture": false "vram_texture": false
} }
[deps] [deps]
source_file="res://icon.svg" source_file="res://icon.svg"
dest_files=["res://.godot/imported/icon.svg-218a8f2b3041327d8a5756f3a245f83b.ctex"] dest_files=["res://.godot/imported/icon.svg-218a8f2b3041327d8a5756f3a245f83b.ctex"]
[params] [params]
compress/mode=0 compress/mode=0
compress/high_quality=false compress/high_quality=false
compress/lossy_quality=0.7 compress/lossy_quality=0.7
compress/uastc_level=0 compress/uastc_level=0
compress/rdo_quality_loss=0.0 compress/rdo_quality_loss=0.0
compress/hdr_compression=1 compress/hdr_compression=1
compress/normal_map=0 compress/normal_map=0
compress/channel_pack=0 compress/channel_pack=0
mipmaps/generate=false mipmaps/generate=false
mipmaps/limit=-1 mipmaps/limit=-1
roughness/mode=0 roughness/mode=0
roughness/src_normal="" roughness/src_normal=""
process/channel_remap/red=0 process/channel_remap/red=0
process/channel_remap/green=1 process/channel_remap/green=1
process/channel_remap/blue=2 process/channel_remap/blue=2
process/channel_remap/alpha=3 process/channel_remap/alpha=3
process/fix_alpha_border=true process/fix_alpha_border=true
process/premult_alpha=false process/premult_alpha=false
process/normal_map_invert_y=false process/normal_map_invert_y=false
process/hdr_as_srgb=false process/hdr_as_srgb=false
process/hdr_clamp_exposure=false process/hdr_clamp_exposure=false
process/size_limit=0 process/size_limit=0
detect_3d/compress_to=1 detect_3d/compress_to=1
svg/scale=1.0 svg/scale=1.0
editor/scale_with_editor_scale=false editor/scale_with_editor_scale=false
editor/convert_colors_with_editor_theme=false editor/convert_colors_with_editor_theme=false

View File

@ -1,76 +1,76 @@
; Engine configuration file. ; Engine configuration file.
; It's best edited using the editor UI and not directly, ; It's best edited using the editor UI and not directly,
; since the parameters that go here are not all obvious. ; since the parameters that go here are not all obvious.
; ;
; Format: ; Format:
; [section] ; section goes between [] ; [section] ; section goes between []
; param=value ; assign values to parameters ; param=value ; assign values to parameters
config_version=5 config_version=5
[application] [application]
config/name="Promiscuity" config/name="Promiscuity"
run/main_scene="uid://b4k81taauef4q" run/main_scene="uid://b4k81taauef4q"
config/features=PackedStringArray("4.5", "Forward Plus") config/features=PackedStringArray("4.5", "Forward Plus")
config/icon="res://icon.svg" config/icon="res://icon.svg"
[audio] [audio]
bus_layout="res://audio/bus_layout.tres" bus_layout="res://audio/bus_layout.tres"
[autoload] [autoload]
MenuMusic="*res://scenes/UI/menu_music.tscn" MenuMusic="*res://scenes/UI/menu_music.tscn"
MenuSfx="*res://scenes/UI/menu_sfx.tscn" MenuSfx="*res://scenes/UI/menu_sfx.tscn"
AuthState="*res://scenes/UI/auth_state.gd" AuthState="*res://scenes/UI/auth_state.gd"
CharacterService="*res://scenes/UI/character_service.gd" CharacterService="*res://scenes/UI/character_service.gd"
[dotnet] [dotnet]
project/assembly_name="Promiscuity" project/assembly_name="Promiscuity"
[input] [input]
ui_left={ ui_left={
"deadzone": 0.5, "deadzone": 0.5,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194319,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194319,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
, Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":13,"pressure":0.0,"pressed":false,"script":null) , Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":13,"pressure":0.0,"pressed":false,"script":null)
, Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":0,"axis_value":-1.0,"script":null) , Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":0,"axis_value":-1.0,"script":null)
, Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":65,"key_label":0,"unicode":97,"location":0,"echo":false,"script":null) , Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":65,"key_label":0,"unicode":97,"location":0,"echo":false,"script":null)
] ]
} }
ui_right={ ui_right={
"deadzone": 0.5, "deadzone": 0.5,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194321,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194321,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
, Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":14,"pressure":0.0,"pressed":false,"script":null) , Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":14,"pressure":0.0,"pressed":false,"script":null)
, Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":0,"axis_value":1.0,"script":null) , Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":0,"axis_value":1.0,"script":null)
, Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":68,"key_label":0,"unicode":100,"location":0,"echo":false,"script":null) , Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":68,"key_label":0,"unicode":100,"location":0,"echo":false,"script":null)
] ]
} }
ui_up={ ui_up={
"deadzone": 0.5, "deadzone": 0.5,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194320,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194320,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
, Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":11,"pressure":0.0,"pressed":false,"script":null) , Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":11,"pressure":0.0,"pressed":false,"script":null)
, Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":1,"axis_value":-1.0,"script":null) , Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":1,"axis_value":-1.0,"script":null)
, Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":87,"key_label":0,"unicode":119,"location":0,"echo":false,"script":null) , Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":87,"key_label":0,"unicode":119,"location":0,"echo":false,"script":null)
] ]
} }
ui_down={ ui_down={
"deadzone": 0.5, "deadzone": 0.5,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194322,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194322,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
, Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":12,"pressure":0.0,"pressed":false,"script":null) , Object(InputEventJoypadButton,"resource_local_to_scene":false,"resource_name":"","device":0,"button_index":12,"pressure":0.0,"pressed":false,"script":null)
, Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":1,"axis_value":1.0,"script":null) , Object(InputEventJoypadMotion,"resource_local_to_scene":false,"resource_name":"","device":0,"axis":1,"axis_value":1.0,"script":null)
, Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":83,"key_label":0,"unicode":115,"location":0,"echo":false,"script":null) , Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":-1,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":83,"key_label":0,"unicode":115,"location":0,"echo":false,"script":null)
] ]
} }
player_light={ player_light={
"deadzone": 0.2, "deadzone": 0.2,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":70,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":0,"physical_keycode":70,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
] ]
} }
player_phone={ player_phone={
"deadzone": 0.2, "deadzone": 0.2,
"events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194306,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null) "events": [Object(InputEventKey,"resource_local_to_scene":false,"resource_name":"","device":0,"window_id":0,"alt_pressed":false,"shift_pressed":false,"ctrl_pressed":false,"meta_pressed":false,"pressed":false,"keycode":4194306,"physical_keycode":0,"key_label":0,"unicode":0,"location":0,"echo":false,"script":null)
] ]
} }

View File

@ -1,156 +1,156 @@
extends Node3D extends Node3D
@export var left_pupil_path: NodePath = NodePath("Body/HeadPivot/EyeLeft/Pupil") @export var left_pupil_path: NodePath = NodePath("Body/HeadPivot/EyeLeft/Pupil")
@export var right_pupil_path: NodePath = NodePath("Body/HeadPivot/EyeRight/Pupil") @export var right_pupil_path: NodePath = NodePath("Body/HeadPivot/EyeRight/Pupil")
@export var camera_path: NodePath @export var camera_path: NodePath
@export var look_origin_path: NodePath = NodePath("Body/HeadPivot") @export var look_origin_path: NodePath = NodePath("Body/HeadPivot")
@export var look_reference_path: NodePath = NodePath("Body") @export var look_reference_path: NodePath = NodePath("Body")
@export var lock_vertical: bool = true @export var lock_vertical: bool = true
@export var vertical_unlock_height: float = 0.6 @export var vertical_unlock_height: float = 0.6
@export var vertical_lock_smooth_speed: float = 6.0 @export var vertical_lock_smooth_speed: float = 6.0
@export var vertical_lock_hold_time: float = 0.3 @export var vertical_lock_hold_time: float = 0.3
@export var max_look_angle_deg: float = 90.0 @export var max_look_angle_deg: float = 90.0
@export var eye_return_speed: float = 0.2 @export var eye_return_speed: float = 0.2
@export var max_offset: float = 0.08 @export var max_offset: float = 0.08
@export var side_eye_boost: float = 1.4 @export var side_eye_boost: float = 1.4
@export var head_path: NodePath = NodePath("Body/HeadPivot") @export var head_path: NodePath = NodePath("Body/HeadPivot")
@export var head_turn_speed: float = 16.0 @export var head_turn_speed: float = 16.0
@export var head_max_yaw_deg: float = 55.0 @export var head_max_yaw_deg: float = 55.0
@export var head_max_pitch_deg: float = 22.0 @export var head_max_pitch_deg: float = 22.0
var _left_pupil: Node3D var _left_pupil: Node3D
var _right_pupil: Node3D var _right_pupil: Node3D
var _left_base: Vector3 var _left_base: Vector3
var _right_base: Vector3 var _right_base: Vector3
var _camera: Camera3D var _camera: Camera3D
var _look_origin: Node3D var _look_origin: Node3D
var _head: Node3D var _head: Node3D
var _head_base_rot: Vector3 var _head_base_rot: Vector3
var _vertical_lock_factor: float = 1.0 var _vertical_lock_factor: float = 1.0
var _vertical_hold_timer: float = 0.0 var _vertical_hold_timer: float = 0.0
var _look_reference: Node3D var _look_reference: Node3D
func _ready() -> void: func _ready() -> void:
_left_pupil = get_node_or_null(left_pupil_path) as Node3D _left_pupil = get_node_or_null(left_pupil_path) as Node3D
_right_pupil = get_node_or_null(right_pupil_path) as Node3D _right_pupil = get_node_or_null(right_pupil_path) as Node3D
if _left_pupil: if _left_pupil:
_left_base = _left_pupil.position _left_base = _left_pupil.position
if _right_pupil: if _right_pupil:
_right_base = _right_pupil.position _right_base = _right_pupil.position
_camera = _resolve_camera() _camera = _resolve_camera()
_look_origin = get_node_or_null(look_origin_path) as Node3D _look_origin = get_node_or_null(look_origin_path) as Node3D
_look_reference = get_node_or_null(look_reference_path) as Node3D _look_reference = get_node_or_null(look_reference_path) as Node3D
_head = get_node_or_null(head_path) as Node3D _head = get_node_or_null(head_path) as Node3D
if _head: if _head:
_head_base_rot = _head.rotation _head_base_rot = _head.rotation
func _physics_process(_delta: float) -> void: func _physics_process(_delta: float) -> void:
_update_pupils() _update_pupils()
func _process(_delta: float) -> void: func _process(_delta: float) -> void:
_update_pupils() _update_pupils()
func _update_pupils() -> void: func _update_pupils() -> void:
if _camera == null or not _camera.is_inside_tree(): if _camera == null or not _camera.is_inside_tree():
_camera = _resolve_camera() _camera = _resolve_camera()
if _camera == null: if _camera == null:
return return
var origin := _look_origin var origin := _look_origin
if origin == null: if origin == null:
origin = self origin = self
var target := _camera.global_position var target := _camera.global_position
var dir_world := target - origin.global_position var dir_world := target - origin.global_position
if dir_world.length_squared() <= 0.0001: if dir_world.length_squared() <= 0.0001:
return return
dir_world = dir_world.normalized() dir_world = dir_world.normalized()
var reference := _look_reference if _look_reference != null else origin var reference := _look_reference if _look_reference != null else origin
var forward := -reference.global_basis.z var forward := -reference.global_basis.z
var min_dot := cos(deg_to_rad(max_look_angle_deg)) var min_dot := cos(deg_to_rad(max_look_angle_deg))
var can_look := dir_world.dot(forward) >= min_dot var can_look := dir_world.dot(forward) >= min_dot
if not can_look: if not can_look:
var delta := get_process_delta_time() var delta := get_process_delta_time()
if _left_pupil: if _left_pupil:
var target_left := Vector3(_left_base.x, _left_base.y, _left_base.z) var target_left := Vector3(_left_base.x, _left_base.y, _left_base.z)
var pos_left := _left_pupil.position var pos_left := _left_pupil.position
pos_left.x = move_toward(pos_left.x, target_left.x, eye_return_speed * delta) pos_left.x = move_toward(pos_left.x, target_left.x, eye_return_speed * delta)
pos_left.y = target_left.y pos_left.y = target_left.y
pos_left.z = move_toward(pos_left.z, target_left.z, eye_return_speed * delta) pos_left.z = move_toward(pos_left.z, target_left.z, eye_return_speed * delta)
_left_pupil.position = pos_left _left_pupil.position = pos_left
if _right_pupil: if _right_pupil:
var target_right := Vector3(_right_base.x, _right_base.y, _right_base.z) var target_right := Vector3(_right_base.x, _right_base.y, _right_base.z)
var pos_right := _right_pupil.position var pos_right := _right_pupil.position
pos_right.x = move_toward(pos_right.x, target_right.x, eye_return_speed * delta) pos_right.x = move_toward(pos_right.x, target_right.x, eye_return_speed * delta)
pos_right.y = target_right.y pos_right.y = target_right.y
pos_right.z = move_toward(pos_right.z, target_right.z, eye_return_speed * delta) pos_right.z = move_toward(pos_right.z, target_right.z, eye_return_speed * delta)
_right_pupil.position = pos_right _right_pupil.position = pos_right
if _head: if _head:
_head.rotation.x = _head_base_rot.x _head.rotation.x = _head_base_rot.x
_head.rotation.y = lerp_angle(_head.rotation.y, _head_base_rot.y, head_turn_speed * delta) _head.rotation.y = lerp_angle(_head.rotation.y, _head_base_rot.y, head_turn_speed * delta)
return return
if lock_vertical: if lock_vertical:
var origin_y := origin.global_position.y var origin_y := origin.global_position.y
var target_offset := target.y - origin_y var target_offset := target.y - origin_y
var is_above := target_offset > vertical_unlock_height var is_above := target_offset > vertical_unlock_height
if is_above: if is_above:
_vertical_hold_timer = vertical_lock_hold_time _vertical_hold_timer = vertical_lock_hold_time
else: else:
_vertical_hold_timer = max(0.0, _vertical_hold_timer - get_process_delta_time()) _vertical_hold_timer = max(0.0, _vertical_hold_timer - get_process_delta_time())
if is_above: if is_above:
_vertical_lock_factor = 1.0 _vertical_lock_factor = 1.0
else: else:
var unlock := 1.0 if _vertical_hold_timer > 0.0 else 0.0 var unlock := 1.0 if _vertical_hold_timer > 0.0 else 0.0
_vertical_lock_factor = move_toward(_vertical_lock_factor, unlock, vertical_lock_smooth_speed * get_process_delta_time()) _vertical_lock_factor = move_toward(_vertical_lock_factor, unlock, vertical_lock_smooth_speed * get_process_delta_time())
target.y = lerp(origin_y, target.y, _vertical_lock_factor) target.y = lerp(origin_y, target.y, _vertical_lock_factor)
dir_world = target - origin.global_position dir_world = target - origin.global_position
if dir_world.length_squared() <= 0.0001: if dir_world.length_squared() <= 0.0001:
return return
dir_world = dir_world.normalized() dir_world = dir_world.normalized()
if _left_pupil: if _left_pupil:
_update_eye(_left_pupil, _left_base, dir_world) _update_eye(_left_pupil, _left_base, dir_world)
if _right_pupil: if _right_pupil:
_update_eye(_right_pupil, _right_base, dir_world) _update_eye(_right_pupil, _right_base, dir_world)
if _head: if _head:
_update_head(dir_world) _update_head(dir_world)
func _resolve_camera() -> Camera3D: func _resolve_camera() -> Camera3D:
if camera_path != NodePath(""): if camera_path != NodePath(""):
var from_path := get_node_or_null(camera_path) as Camera3D var from_path := get_node_or_null(camera_path) as Camera3D
if from_path: if from_path:
return from_path return from_path
var viewport_cam := get_viewport().get_camera_3d() var viewport_cam := get_viewport().get_camera_3d()
if viewport_cam: if viewport_cam:
return viewport_cam return viewport_cam
var by_name := get_tree().get_root().find_child("Camera3D", true, false) as Camera3D var by_name := get_tree().get_root().find_child("Camera3D", true, false) as Camera3D
return by_name return by_name
func _update_eye(eye: Node3D, base_pos: Vector3, dir_world: Vector3) -> void: func _update_eye(eye: Node3D, base_pos: Vector3, dir_world: Vector3) -> void:
var parent := eye.get_parent() as Node3D var parent := eye.get_parent() as Node3D
if parent == null: if parent == null:
return return
var dir_local := parent.global_basis.inverse() * dir_world var dir_local := parent.global_basis.inverse() * dir_world
var flat := Vector2(dir_local.x, dir_local.y) var flat := Vector2(dir_local.x, dir_local.y)
flat.x *= side_eye_boost flat.x *= side_eye_boost
if flat.length() > 1.0: if flat.length() > 1.0:
flat = flat.normalized() flat = flat.normalized()
var offset := Vector3(flat.x, flat.y, 0.0) * max_offset var offset := Vector3(flat.x, flat.y, 0.0) * max_offset
eye.position = base_pos + offset eye.position = base_pos + offset
func _update_head(dir_world: Vector3) -> void: func _update_head(dir_world: Vector3) -> void:
var parent := _head.get_parent() as Node3D var parent := _head.get_parent() as Node3D
if parent == null: if parent == null:
return return
var dir_local := parent.global_basis.inverse() * dir_world var dir_local := parent.global_basis.inverse() * dir_world
var yaw := atan2(-dir_local.x, -dir_local.z) var yaw := atan2(-dir_local.x, -dir_local.z)
var pitch := atan2(dir_local.y, -dir_local.z) var pitch := atan2(dir_local.y, -dir_local.z)
yaw = clamp(yaw, deg_to_rad(-head_max_yaw_deg), deg_to_rad(head_max_yaw_deg)) yaw = clamp(yaw, deg_to_rad(-head_max_yaw_deg), deg_to_rad(head_max_yaw_deg))
pitch = clamp(pitch, deg_to_rad(-head_max_pitch_deg), deg_to_rad(head_max_pitch_deg)) pitch = clamp(pitch, deg_to_rad(-head_max_pitch_deg), deg_to_rad(head_max_pitch_deg))
var target := Vector3(_head_base_rot.x + pitch, _head_base_rot.y + yaw, _head_base_rot.z) var target := Vector3(_head_base_rot.x + pitch, _head_base_rot.y + yaw, _head_base_rot.z)
_head.rotation.x = lerp_angle(_head.rotation.x, target.x, head_turn_speed * get_process_delta_time()) _head.rotation.x = lerp_angle(_head.rotation.x, target.x, head_turn_speed * get_process_delta_time())
_head.rotation.y = lerp_angle(_head.rotation.y, target.y, head_turn_speed * get_process_delta_time()) _head.rotation.y = lerp_angle(_head.rotation.y, target.y, head_turn_speed * get_process_delta_time())

View File

@ -1 +1 @@
uid://bs3eqqujhetsm uid://bs3eqqujhetsm

View File

@ -1,111 +1,111 @@
[gd_scene load_steps=14 format=3] [gd_scene load_steps=14 format=3]
[ext_resource type="Script" path="res://scenes/Characters/repo_bot.gd" id="1_repo_bot"] [ext_resource type="Script" path="res://scenes/Characters/repo_bot.gd" id="1_repo_bot"]
[sub_resource type="StandardMaterial3D" id="StandardMaterial3D_body"] [sub_resource type="StandardMaterial3D" id="StandardMaterial3D_body"]
albedo_color = Color(0.78, 0.8, 0.82, 1) albedo_color = Color(0.78, 0.8, 0.82, 1)
metallic = 0.2 metallic = 0.2
roughness = 0.35 roughness = 0.35
[sub_resource type="StandardMaterial3D" id="StandardMaterial3D_accent"] [sub_resource type="StandardMaterial3D" id="StandardMaterial3D_accent"]
albedo_color = Color(0.25, 0.82, 0.55, 1) albedo_color = Color(0.25, 0.82, 0.55, 1)
emission_enabled = true emission_enabled = true
emission = Color(0.25, 0.82, 0.55, 1) emission = Color(0.25, 0.82, 0.55, 1)
[sub_resource type="StandardMaterial3D" id="StandardMaterial3D_eye_white"] [sub_resource type="StandardMaterial3D" id="StandardMaterial3D_eye_white"]
albedo_color = Color(0.95, 0.95, 0.95, 1) albedo_color = Color(0.95, 0.95, 0.95, 1)
roughness = 0.2 roughness = 0.2
[sub_resource type="StandardMaterial3D" id="StandardMaterial3D_pupil"] [sub_resource type="StandardMaterial3D" id="StandardMaterial3D_pupil"]
albedo_color = Color(0.02, 0.02, 0.02, 1) albedo_color = Color(0.02, 0.02, 0.02, 1)
roughness = 0.8 roughness = 0.8
[sub_resource type="CapsuleMesh" id="CapsuleMesh_body"] [sub_resource type="CapsuleMesh" id="CapsuleMesh_body"]
radius = 0.25 radius = 0.25
height = 0.6 height = 0.6
material = SubResource("StandardMaterial3D_body") material = SubResource("StandardMaterial3D_body")
[sub_resource type="SphereMesh" id="SphereMesh_head"] [sub_resource type="SphereMesh" id="SphereMesh_head"]
radius = 0.22 radius = 0.22
height = 0.44 height = 0.44
material = SubResource("StandardMaterial3D_body") material = SubResource("StandardMaterial3D_body")
[sub_resource type="SphereMesh" id="SphereMesh_eye_white"] [sub_resource type="SphereMesh" id="SphereMesh_eye_white"]
radius = 0.075 radius = 0.075
height = 0.15 height = 0.15
material = SubResource("StandardMaterial3D_eye_white") material = SubResource("StandardMaterial3D_eye_white")
[sub_resource type="SphereMesh" id="SphereMesh_pupil"] [sub_resource type="SphereMesh" id="SphereMesh_pupil"]
radius = 0.028 radius = 0.028
height = 0.056 height = 0.056
material = SubResource("StandardMaterial3D_pupil") material = SubResource("StandardMaterial3D_pupil")
[sub_resource type="CylinderMesh" id="CylinderMesh_limb"] [sub_resource type="CylinderMesh" id="CylinderMesh_limb"]
top_radius = 0.06 top_radius = 0.06
bottom_radius = 0.06 bottom_radius = 0.06
height = 0.35 height = 0.35
material = SubResource("StandardMaterial3D_body") material = SubResource("StandardMaterial3D_body")
[sub_resource type="BoxMesh" id="BoxMesh_pack"] [sub_resource type="BoxMesh" id="BoxMesh_pack"]
size = Vector3(0.26, 0.3, 0.12) size = Vector3(0.26, 0.3, 0.12)
material = SubResource("StandardMaterial3D_accent") material = SubResource("StandardMaterial3D_accent")
[sub_resource type="CapsuleShape3D" id="CapsuleShape3D_body"] [sub_resource type="CapsuleShape3D" id="CapsuleShape3D_body"]
radius = 0.3 radius = 0.3
height = 1.1 height = 1.1
[node name="RepoBot" type="Node3D"] [node name="RepoBot" type="Node3D"]
script = ExtResource("1_repo_bot") script = ExtResource("1_repo_bot")
[node name="Body" type="StaticBody3D" parent="."] [node name="Body" type="StaticBody3D" parent="."]
[node name="CollisionShape3D" type="CollisionShape3D" parent="Body"] [node name="CollisionShape3D" type="CollisionShape3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.55, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.55, 0)
shape = SubResource("CapsuleShape3D_body") shape = SubResource("CapsuleShape3D_body")
[node name="Torso" type="MeshInstance3D" parent="Body"] [node name="Torso" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.5, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.5, 0)
mesh = SubResource("CapsuleMesh_body") mesh = SubResource("CapsuleMesh_body")
[node name="HeadPivot" type="Node3D" parent="Body"] [node name="HeadPivot" type="Node3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.95, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.95, 0)
[node name="Head" type="MeshInstance3D" parent="Body/HeadPivot"] [node name="Head" type="MeshInstance3D" parent="Body/HeadPivot"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0)
mesh = SubResource("SphereMesh_head") mesh = SubResource("SphereMesh_head")
[node name="EyeLeft" type="MeshInstance3D" parent="Body/HeadPivot"] [node name="EyeLeft" type="MeshInstance3D" parent="Body/HeadPivot"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.09, 0, -0.205) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.09, 0, -0.205)
mesh = SubResource("SphereMesh_eye_white") mesh = SubResource("SphereMesh_eye_white")
[node name="Pupil" type="MeshInstance3D" parent="Body/HeadPivot/EyeLeft"] [node name="Pupil" type="MeshInstance3D" parent="Body/HeadPivot/EyeLeft"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -0.06) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -0.06)
mesh = SubResource("SphereMesh_pupil") mesh = SubResource("SphereMesh_pupil")
[node name="EyeRight" type="MeshInstance3D" parent="Body/HeadPivot"] [node name="EyeRight" type="MeshInstance3D" parent="Body/HeadPivot"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.09, 0, -0.205) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.09, 0, -0.205)
mesh = SubResource("SphereMesh_eye_white") mesh = SubResource("SphereMesh_eye_white")
[node name="Pupil" type="MeshInstance3D" parent="Body/HeadPivot/EyeRight"] [node name="Pupil" type="MeshInstance3D" parent="Body/HeadPivot/EyeRight"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -0.06) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -0.06)
mesh = SubResource("SphereMesh_pupil") mesh = SubResource("SphereMesh_pupil")
[node name="ArmLeft" type="MeshInstance3D" parent="Body"] [node name="ArmLeft" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.32, 0.55, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.32, 0.55, 0)
mesh = SubResource("CylinderMesh_limb") mesh = SubResource("CylinderMesh_limb")
[node name="ArmRight" type="MeshInstance3D" parent="Body"] [node name="ArmRight" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.32, 0.55, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.32, 0.55, 0)
mesh = SubResource("CylinderMesh_limb") mesh = SubResource("CylinderMesh_limb")
[node name="LegLeft" type="MeshInstance3D" parent="Body"] [node name="LegLeft" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.12, 0.15, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.12, 0.15, 0)
mesh = SubResource("CylinderMesh_limb") mesh = SubResource("CylinderMesh_limb")
[node name="LegRight" type="MeshInstance3D" parent="Body"] [node name="LegRight" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.12, 0.15, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.12, 0.15, 0)
mesh = SubResource("CylinderMesh_limb") mesh = SubResource("CylinderMesh_limb")
[node name="Backpack" type="MeshInstance3D" parent="Body"] [node name="Backpack" type="MeshInstance3D" parent="Body"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.6, 0.22) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.6, 0.22)
mesh = SubResource("BoxMesh_pack") mesh = SubResource("BoxMesh_pack")

View File

@ -1,22 +1,22 @@
extends Node3D extends Node3D
@export var day_length := 120.0 # seconds for full rotation @export var day_length := 120.0 # seconds for full rotation
@export var start_light_angle := -90.0 @export var start_light_angle := -90.0
var end_light_angle = start_light_angle + 360.0 var end_light_angle = start_light_angle + 360.0
var start_radians = start_light_angle * PI / 180 var start_radians = start_light_angle * PI / 180
var time := 0.0 var time := 0.0
@onready var sun := $DirectionalLight3D @onready var sun := $DirectionalLight3D
func _process(delta): func _process(delta):
time = fmod((time + delta), day_length) time = fmod((time + delta), day_length)
var t = time / day_length var t = time / day_length
# Rotate sun around X axis # Rotate sun around X axis
var angle = lerp(start_light_angle, end_light_angle, t) # sunrise → sunset → night → sunrise var angle = lerp(start_light_angle, end_light_angle, t) # sunrise → sunset → night → sunrise
sun.rotation_degrees.x = angle sun.rotation_degrees.x = angle
# Adjust intensity # Adjust intensity
var curSin = -sin((t * TAU) + start_radians) var curSin = -sin((t * TAU) + start_radians)
var energy = clamp((curSin * 1.0) + 0.2, 0.0, 1.2) var energy = clamp((curSin * 1.0) + 0.2, 0.0, 1.2)
sun.light_energy = energy sun.light_energy = energy

View File

@ -1 +1 @@
uid://brgmxhhhtakja uid://brgmxhhhtakja

View File

@ -1,170 +1,170 @@
[gd_scene load_steps=17 format=3 uid="uid://dchj6g2i8ebph"] [gd_scene load_steps=17 format=3 uid="uid://dchj6g2i8ebph"]
[ext_resource type="Script" uid="uid://brgmxhhhtakja" path="res://scenes/Levels/level.gd" id="1_a4mo8"] [ext_resource type="Script" uid="uid://brgmxhhhtakja" path="res://scenes/Levels/level.gd" id="1_a4mo8"]
[ext_resource type="PackedScene" uid="uid://bb6hj6l23043x" path="res://assets/models/human.blend" id="1_eg4yq"] [ext_resource type="PackedScene" uid="uid://bb6hj6l23043x" path="res://assets/models/human.blend" id="1_eg4yq"]
[ext_resource type="Script" uid="uid://bpxggc8nr6tf6" path="res://scenes/player.gd" id="1_muv8p"] [ext_resource type="Script" uid="uid://bpxggc8nr6tf6" path="res://scenes/player.gd" id="1_muv8p"]
[ext_resource type="PackedScene" uid="uid://c5of6aaxop1hl" path="res://scenes/block.tscn" id="2_tc7dm"] [ext_resource type="PackedScene" uid="uid://c5of6aaxop1hl" path="res://scenes/block.tscn" id="2_tc7dm"]
[ext_resource type="Script" uid="uid://b7fopt7sx74g8" path="res://scenes/Levels/menu.gd" id="3_tc7dm"] [ext_resource type="Script" uid="uid://b7fopt7sx74g8" path="res://scenes/Levels/menu.gd" id="3_tc7dm"]
[ext_resource type="PackedScene" path="res://scenes/Characters/repo_bot.tscn" id="4_repo"] [ext_resource type="PackedScene" path="res://scenes/Characters/repo_bot.tscn" id="4_repo"]
[sub_resource type="PhysicsMaterial" id="PhysicsMaterial_2q6dc"] [sub_resource type="PhysicsMaterial" id="PhysicsMaterial_2q6dc"]
bounce = 0.5 bounce = 0.5
[sub_resource type="SphereShape3D" id="SphereShape3D_2q6dc"] [sub_resource type="SphereShape3D" id="SphereShape3D_2q6dc"]
[sub_resource type="SphereMesh" id="SphereMesh_w7c3h"] [sub_resource type="SphereMesh" id="SphereMesh_w7c3h"]
[sub_resource type="PhysicsMaterial" id="PhysicsMaterial_w8frs"] [sub_resource type="PhysicsMaterial" id="PhysicsMaterial_w8frs"]
bounce = 0.5 bounce = 0.5
[sub_resource type="SphereShape3D" id="SphereShape3D_mx8sn"] [sub_resource type="SphereShape3D" id="SphereShape3D_mx8sn"]
[sub_resource type="BoxShape3D" id="BoxShape3D_2q6dc"] [sub_resource type="BoxShape3D" id="BoxShape3D_2q6dc"]
size = Vector3(1080, 2, 1080) size = Vector3(1080, 2, 1080)
[sub_resource type="BoxMesh" id="BoxMesh_w7c3h"] [sub_resource type="BoxMesh" id="BoxMesh_w7c3h"]
size = Vector3(1080, 2, 1080) size = Vector3(1080, 2, 1080)
[sub_resource type="ProceduralSkyMaterial" id="ProceduralSkyMaterial_fi66n"] [sub_resource type="ProceduralSkyMaterial" id="ProceduralSkyMaterial_fi66n"]
[sub_resource type="Sky" id="Sky_a4mo8"] [sub_resource type="Sky" id="Sky_a4mo8"]
sky_material = SubResource("ProceduralSkyMaterial_fi66n") sky_material = SubResource("ProceduralSkyMaterial_fi66n")
[sub_resource type="Environment" id="Environment_a4mo8"] [sub_resource type="Environment" id="Environment_a4mo8"]
background_mode = 2 background_mode = 2
sky = SubResource("Sky_a4mo8") sky = SubResource("Sky_a4mo8")
ambient_light_source = 3 ambient_light_source = 3
[node name="Node3D" type="Node3D"] [node name="Node3D" type="Node3D"]
script = ExtResource("1_a4mo8") script = ExtResource("1_a4mo8")
[node name="human" parent="." instance=ExtResource("1_eg4yq")] [node name="human" parent="." instance=ExtResource("1_eg4yq")]
[node name="RepoBot" parent="." instance=ExtResource("4_repo")] [node name="RepoBot" parent="." instance=ExtResource("4_repo")]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.9426608, 0, -4.4451966) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, -0.9426608, 0, -4.4451966)
[node name="Thing" type="RigidBody3D" parent="."] [node name="Thing" type="RigidBody3D" parent="."]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -3.7986288) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, -3.7986288)
physics_material_override = SubResource("PhysicsMaterial_2q6dc") physics_material_override = SubResource("PhysicsMaterial_2q6dc")
gravity_scale = 0.0 gravity_scale = 0.0
contact_monitor = true contact_monitor = true
max_contacts_reported = 5 max_contacts_reported = 5
[node name="CollisionShape3D" type="CollisionShape3D" parent="Thing"] [node name="CollisionShape3D" type="CollisionShape3D" parent="Thing"]
shape = SubResource("SphereShape3D_2q6dc") shape = SubResource("SphereShape3D_2q6dc")
debug_color = Color(0.29772994, 0.6216631, 0.28140613, 0.41960785) debug_color = Color(0.29772994, 0.6216631, 0.28140613, 0.41960785)
[node name="MeshInstance3D" type="MeshInstance3D" parent="Thing"] [node name="MeshInstance3D" type="MeshInstance3D" parent="Thing"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 1, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 1, 0)
mesh = SubResource("SphereMesh_w7c3h") mesh = SubResource("SphereMesh_w7c3h")
[node name="Player" type="RigidBody3D" parent="."] [node name="Player" type="RigidBody3D" parent="."]
physics_material_override = SubResource("PhysicsMaterial_w8frs") physics_material_override = SubResource("PhysicsMaterial_w8frs")
script = ExtResource("1_muv8p") script = ExtResource("1_muv8p")
camera_path = NodePath("Camera3D") camera_path = NodePath("Camera3D")
phone_path = NodePath("../PhoneUI") phone_path = NodePath("../PhoneUI")
[node name="CollisionShape3D" type="CollisionShape3D" parent="Player"] [node name="CollisionShape3D" type="CollisionShape3D" parent="Player"]
shape = SubResource("SphereShape3D_mx8sn") shape = SubResource("SphereShape3D_mx8sn")
[node name="Camera3D" type="Camera3D" parent="Player"] [node name="Camera3D" type="Camera3D" parent="Player"]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.31670225, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0.31670225, 0)
current = true current = true
[node name="SpotLight3D" type="SpotLight3D" parent="Player"] [node name="SpotLight3D" type="SpotLight3D" parent="Player"]
[node name="Ground" type="StaticBody3D" parent="."] [node name="Ground" type="StaticBody3D" parent="."]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, -1, 0) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, -1, 0)
[node name="CollisionShape3D" type="CollisionShape3D" parent="Ground"] [node name="CollisionShape3D" type="CollisionShape3D" parent="Ground"]
shape = SubResource("BoxShape3D_2q6dc") shape = SubResource("BoxShape3D_2q6dc")
[node name="MeshInstance3D" type="MeshInstance3D" parent="Ground"] [node name="MeshInstance3D" type="MeshInstance3D" parent="Ground"]
mesh = SubResource("BoxMesh_w7c3h") mesh = SubResource("BoxMesh_w7c3h")
[node name="DirectionalLight3D" type="DirectionalLight3D" parent="."] [node name="DirectionalLight3D" type="DirectionalLight3D" parent="."]
transform = Transform3D(1, 0, 0, 0, 0.5, 0.8660253, 0, -0.8660253, 0.5, 0, 34, 0) transform = Transform3D(1, 0, 0, 0, 0.5, 0.8660253, 0, -0.8660253, 0.5, 0, 34, 0)
shadow_enabled = true shadow_enabled = true
[node name="Starter Blocks" type="Node3D" parent="."] [node name="Starter Blocks" type="Node3D" parent="."]
[node name="Block" parent="Starter Blocks" instance=ExtResource("2_tc7dm")] [node name="Block" parent="Starter Blocks" instance=ExtResource("2_tc7dm")]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 1.298158, -7.0724635) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0, 1.298158, -7.0724635)
[node name="Block2" parent="Starter Blocks" instance=ExtResource("2_tc7dm")] [node name="Block2" parent="Starter Blocks" instance=ExtResource("2_tc7dm")]
transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.63255787, 2.596316, -6.980046) transform = Transform3D(1, 0, 0, 0, 1, 0, 0, 0, 1, 0.63255787, 2.596316, -6.980046)
[node name="Menu" type="CanvasLayer" parent="."] [node name="Menu" type="CanvasLayer" parent="."]
process_mode = 3 process_mode = 3
visible = false visible = false
script = ExtResource("3_tc7dm") script = ExtResource("3_tc7dm")
[node name="PhoneUI" type="CanvasLayer" parent="."] [node name="PhoneUI" type="CanvasLayer" parent="."]
layer = 5 layer = 5
visible = false visible = false
[node name="Control" type="Control" parent="PhoneUI"] [node name="Control" type="Control" parent="PhoneUI"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="PhoneFrame" type="ColorRect" parent="PhoneUI/Control"] [node name="PhoneFrame" type="ColorRect" parent="PhoneUI/Control"]
layout_mode = 1 layout_mode = 1
anchors_preset = 8 anchors_preset = 8
anchor_left = 0.5 anchor_left = 0.5
anchor_top = 0.5 anchor_top = 0.5
anchor_right = 0.5 anchor_right = 0.5
anchor_bottom = 0.5 anchor_bottom = 0.5
offset_left = -180.0 offset_left = -180.0
offset_top = -320.0 offset_top = -320.0
offset_right = 180.0 offset_right = 180.0
offset_bottom = 320.0 offset_bottom = 320.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
color = Color(0.08, 0.08, 0.1, 1) color = Color(0.08, 0.08, 0.1, 1)
[node name="Control" type="Control" parent="Menu"] [node name="Control" type="Control" parent="Menu"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
[node name="VBoxContainer" type="VBoxContainer" parent="Menu/Control"] [node name="VBoxContainer" type="VBoxContainer" parent="Menu/Control"]
layout_mode = 1 layout_mode = 1
anchors_preset = 8 anchors_preset = 8
anchor_left = 0.5 anchor_left = 0.5
anchor_top = 0.5 anchor_top = 0.5
anchor_right = 0.5 anchor_right = 0.5
anchor_bottom = 0.5 anchor_bottom = 0.5
offset_left = -39.5 offset_left = -39.5
offset_top = -33.0 offset_top = -33.0
offset_right = 39.5 offset_right = 39.5
offset_bottom = 33.0 offset_bottom = 33.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="ContinueButton" type="Button" parent="Menu/Control/VBoxContainer"] [node name="ContinueButton" type="Button" parent="Menu/Control/VBoxContainer"]
layout_mode = 2 layout_mode = 2
text = "Continue" text = "Continue"
[node name="MainMenuButton" type="Button" parent="Menu/Control/VBoxContainer"] [node name="MainMenuButton" type="Button" parent="Menu/Control/VBoxContainer"]
layout_mode = 2 layout_mode = 2
text = "Main Menu" text = "Main Menu"
[node name="QuitButton" type="Button" parent="Menu/Control/VBoxContainer"] [node name="QuitButton" type="Button" parent="Menu/Control/VBoxContainer"]
layout_mode = 2 layout_mode = 2
text = "Quit" text = "Quit"
[node name="WorldEnvironment" type="WorldEnvironment" parent="."] [node name="WorldEnvironment" type="WorldEnvironment" parent="."]
environment = SubResource("Environment_a4mo8") environment = SubResource("Environment_a4mo8")
[connection signal="pressed" from="Menu/Control/VBoxContainer/ContinueButton" to="Menu" method="_on_continue_button_pressed"] [connection signal="pressed" from="Menu/Control/VBoxContainer/ContinueButton" to="Menu" method="_on_continue_button_pressed"]
[connection signal="pressed" from="Menu/Control/VBoxContainer/MainMenuButton" to="Menu" method="_on_main_menu_button_pressed"] [connection signal="pressed" from="Menu/Control/VBoxContainer/MainMenuButton" to="Menu" method="_on_main_menu_button_pressed"]
[connection signal="pressed" from="Menu/Control/VBoxContainer/QuitButton" to="Menu" method="_on_quit_button_pressed"] [connection signal="pressed" from="Menu/Control/VBoxContainer/QuitButton" to="Menu" method="_on_quit_button_pressed"]

View File

@ -1,51 +1,51 @@
extends CanvasLayer extends CanvasLayer
const START_SCREEN_SCENE := "res://scenes/UI/start_screen.tscn" const START_SCREEN_SCENE := "res://scenes/UI/start_screen.tscn"
@onready var pause_menu = $Control @onready var pause_menu = $Control
func _ready() -> void: func _ready() -> void:
_register_focus_sounds() _register_focus_sounds()
func _input(event): func _input(event):
if event.is_action_pressed("ui_cancel"): if event.is_action_pressed("ui_cancel"):
if get_tree().paused: if get_tree().paused:
resume_game() resume_game()
else: else:
pause_game() pause_game()
func pause_game(): func pause_game():
get_tree().paused = true get_tree().paused = true
visible = true visible = true
func resume_game(): func resume_game():
get_tree().paused = false get_tree().paused = false
visible = false visible = false
func _on_quit_button_pressed(): func _on_quit_button_pressed():
get_tree().quit() get_tree().quit()
func _on_continue_button_pressed(): func _on_continue_button_pressed():
resume_game() resume_game()
func _on_main_menu_button_pressed(): func _on_main_menu_button_pressed():
resume_game() resume_game()
get_tree().change_scene_to_file(START_SCREEN_SCENE) get_tree().change_scene_to_file(START_SCREEN_SCENE)
func _register_focus_sounds() -> void: func _register_focus_sounds() -> void:
if pause_menu == null: if pause_menu == null:
return return
var vbox := pause_menu.get_node_or_null("VBoxContainer") var vbox := pause_menu.get_node_or_null("VBoxContainer")
if vbox == null: if vbox == null:
return return
for child in vbox.get_children(): for child in vbox.get_children():
if child is BaseButton: if child is BaseButton:
var button: BaseButton = child var button: BaseButton = child
if not button.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")): if not button.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")):
button.focus_entered.connect(_on_menu_item_focus) button.focus_entered.connect(_on_menu_item_focus)
if not button.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")): if not button.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")):
button.mouse_entered.connect(_on_menu_item_focus) button.mouse_entered.connect(_on_menu_item_focus)
func _on_menu_item_focus() -> void: func _on_menu_item_focus() -> void:
if MenuSfx: if MenuSfx:
MenuSfx.play_hover() MenuSfx.play_hover()

View File

@ -1 +1 @@
uid://b7fopt7sx74g8 uid://b7fopt7sx74g8

View File

@ -1,112 +1,112 @@
extends Node2D extends Node2D
@onready var _tab_bar: TabBar = $MarginContainer/VBoxContainer/TabBar @onready var _tab_bar: TabBar = $MarginContainer/VBoxContainer/TabBar
@onready var _tab_container: TabContainer = $MarginContainer/VBoxContainer/TabContainer @onready var _tab_container: TabContainer = $MarginContainer/VBoxContainer/TabContainer
@onready var _music_volume_slider: HSlider = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicVolumeSlider @onready var _music_volume_slider: HSlider = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicVolumeSlider
@onready var _music_volume_value: Label = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicVolumeValue @onready var _music_volume_value: Label = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicVolumeValue
@onready var _music_mute_checkbox: CheckBox = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicMuteCheckBox @onready var _music_mute_checkbox: CheckBox = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup/MusicMuteCheckBox
@onready var _sfx_volume_slider: HSlider = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxVolumeSlider @onready var _sfx_volume_slider: HSlider = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxVolumeSlider
@onready var _sfx_volume_value: Label = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxVolumeValue @onready var _sfx_volume_value: Label = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxVolumeValue
@onready var _sfx_mute_checkbox: CheckBox = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxMuteCheckBox @onready var _sfx_mute_checkbox: CheckBox = $MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup/SfxMuteCheckBox
@onready var _menu_music: AudioStreamPlayer = get_tree().get_root().get_node_or_null("MenuMusic") @onready var _menu_music: AudioStreamPlayer = get_tree().get_root().get_node_or_null("MenuMusic")
@onready var _menu_sfx: AudioStreamPlayer = get_tree().get_root().get_node_or_null("MenuSfx") @onready var _menu_sfx: AudioStreamPlayer = get_tree().get_root().get_node_or_null("MenuSfx")
func _ready() -> void: func _ready() -> void:
_tab_bar.tab_changed.connect(_on_tab_bar_tab_changed) _tab_bar.tab_changed.connect(_on_tab_bar_tab_changed)
_tab_container.tab_changed.connect(_on_tab_container_tab_changed) _tab_container.tab_changed.connect(_on_tab_container_tab_changed)
_tab_container.current_tab = _tab_bar.current_tab _tab_container.current_tab = _tab_bar.current_tab
_music_volume_slider.value_changed.connect(_on_music_volume_changed) _music_volume_slider.value_changed.connect(_on_music_volume_changed)
_music_mute_checkbox.toggled.connect(_on_music_mute_toggled) _music_mute_checkbox.toggled.connect(_on_music_mute_toggled)
_sfx_volume_slider.value_changed.connect(_on_sfx_volume_changed) _sfx_volume_slider.value_changed.connect(_on_sfx_volume_changed)
_sfx_mute_checkbox.toggled.connect(_on_sfx_mute_toggled) _sfx_mute_checkbox.toggled.connect(_on_sfx_mute_toggled)
_sync_audio_controls() _sync_audio_controls()
_register_focus_sounds() _register_focus_sounds()
func _input(event): func _input(event):
if event.is_action_pressed("ui_cancel"): if event.is_action_pressed("ui_cancel"):
get_tree().change_scene_to_file("uid://b4k81taauef4q") get_tree().change_scene_to_file("uid://b4k81taauef4q")
func _on_tab_bar_tab_changed(tab_index: int) -> void: func _on_tab_bar_tab_changed(tab_index: int) -> void:
if _tab_container.current_tab != tab_index: if _tab_container.current_tab != tab_index:
_tab_container.current_tab = tab_index _tab_container.current_tab = tab_index
func _on_tab_container_tab_changed(tab_index: int) -> void: func _on_tab_container_tab_changed(tab_index: int) -> void:
if _tab_bar.current_tab != tab_index: if _tab_bar.current_tab != tab_index:
_tab_bar.current_tab = tab_index _tab_bar.current_tab = tab_index
func _sync_audio_controls() -> void: func _sync_audio_controls() -> void:
var value: float = 0.7 var value: float = 0.7
var muted: bool = false var muted: bool = false
if _menu_music: if _menu_music:
if _menu_music.has_method("get_user_volume"): if _menu_music.has_method("get_user_volume"):
value = _menu_music.get_user_volume() value = _menu_music.get_user_volume()
if _menu_music.has_method("is_user_muted"): if _menu_music.has_method("is_user_muted"):
muted = _menu_music.is_user_muted() muted = _menu_music.is_user_muted()
_apply_audio_control_state(_music_volume_slider, _music_mute_checkbox, _music_volume_value, value, muted) _apply_audio_control_state(_music_volume_slider, _music_mute_checkbox, _music_volume_value, value, muted)
var sfx_value: float = 0.7 var sfx_value: float = 0.7
var sfx_muted: bool = false var sfx_muted: bool = false
if _menu_sfx: if _menu_sfx:
if _menu_sfx.has_method("get_user_volume"): if _menu_sfx.has_method("get_user_volume"):
sfx_value = _menu_sfx.get_user_volume() sfx_value = _menu_sfx.get_user_volume()
if _menu_sfx.has_method("is_user_muted"): if _menu_sfx.has_method("is_user_muted"):
sfx_muted = _menu_sfx.is_user_muted() sfx_muted = _menu_sfx.is_user_muted()
_apply_audio_control_state(_sfx_volume_slider, _sfx_mute_checkbox, _sfx_volume_value, sfx_value, sfx_muted) _apply_audio_control_state(_sfx_volume_slider, _sfx_mute_checkbox, _sfx_volume_value, sfx_value, sfx_muted)
func _on_music_volume_changed(value: float) -> void: func _on_music_volume_changed(value: float) -> void:
if _menu_music and _menu_music.has_method("set_user_volume"): if _menu_music and _menu_music.has_method("set_user_volume"):
_menu_music.set_user_volume(value) _menu_music.set_user_volume(value)
_update_volume_label(_music_volume_value, value, _music_mute_checkbox.button_pressed) _update_volume_label(_music_volume_value, value, _music_mute_checkbox.button_pressed)
func _on_music_mute_toggled(pressed: bool) -> void: func _on_music_mute_toggled(pressed: bool) -> void:
if _menu_music and _menu_music.has_method("set_user_muted"): if _menu_music and _menu_music.has_method("set_user_muted"):
_menu_music.set_user_muted(pressed) _menu_music.set_user_muted(pressed)
_music_volume_slider.editable = not pressed _music_volume_slider.editable = not pressed
_update_volume_label(_music_volume_value, _music_volume_slider.value, pressed) _update_volume_label(_music_volume_value, _music_volume_slider.value, pressed)
func _on_sfx_volume_changed(value: float) -> void: func _on_sfx_volume_changed(value: float) -> void:
if _menu_sfx and _menu_sfx.has_method("set_user_volume"): if _menu_sfx and _menu_sfx.has_method("set_user_volume"):
_menu_sfx.set_user_volume(value) _menu_sfx.set_user_volume(value)
_update_volume_label(_sfx_volume_value, value, _sfx_mute_checkbox.button_pressed) _update_volume_label(_sfx_volume_value, value, _sfx_mute_checkbox.button_pressed)
func _on_sfx_mute_toggled(pressed: bool) -> void: func _on_sfx_mute_toggled(pressed: bool) -> void:
if _menu_sfx and _menu_sfx.has_method("set_user_muted"): if _menu_sfx and _menu_sfx.has_method("set_user_muted"):
_menu_sfx.set_user_muted(pressed) _menu_sfx.set_user_muted(pressed)
_sfx_volume_slider.editable = not pressed _sfx_volume_slider.editable = not pressed
_update_volume_label(_sfx_volume_value, _sfx_volume_slider.value, pressed) _update_volume_label(_sfx_volume_value, _sfx_volume_slider.value, pressed)
func _apply_audio_control_state(slider: HSlider, checkbox: CheckBox, value_label: Label, value: float, muted: bool) -> void: func _apply_audio_control_state(slider: HSlider, checkbox: CheckBox, value_label: Label, value: float, muted: bool) -> void:
slider.set_block_signals(true) slider.set_block_signals(true)
slider.value = value slider.value = value
slider.set_block_signals(false) slider.set_block_signals(false)
slider.editable = not muted slider.editable = not muted
checkbox.set_block_signals(true) checkbox.set_block_signals(true)
checkbox.button_pressed = muted checkbox.button_pressed = muted
checkbox.set_block_signals(false) checkbox.set_block_signals(false)
_update_volume_label(value_label, value, muted) _update_volume_label(value_label, value, muted)
func _update_volume_label(value_label: Label, value: float, muted: bool) -> void: func _update_volume_label(value_label: Label, value: float, muted: bool) -> void:
if muted: if muted:
value_label.text = "Muted" value_label.text = "Muted"
else: else:
var percent: int = int(round(value * 100.0)) var percent: int = int(round(value * 100.0))
value_label.text = str(percent) + "%" value_label.text = str(percent) + "%"
func _register_focus_sounds() -> void: func _register_focus_sounds() -> void:
_connect_focus_recursive(self) _connect_focus_recursive(self)
func _connect_focus_recursive(node: Node) -> void: func _connect_focus_recursive(node: Node) -> void:
if node is Control: if node is Control:
var control: Control = node var control: Control = node
if control.focus_mode != Control.FOCUS_NONE: if control.focus_mode != Control.FOCUS_NONE:
if not control.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")): if not control.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")):
control.focus_entered.connect(_on_menu_item_focus) control.focus_entered.connect(_on_menu_item_focus)
if control.has_signal("mouse_entered") and (control is BaseButton or control.focus_mode != Control.FOCUS_NONE): if control.has_signal("mouse_entered") and (control is BaseButton or control.focus_mode != Control.FOCUS_NONE):
if not control.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")): if not control.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")):
control.mouse_entered.connect(_on_menu_item_focus) control.mouse_entered.connect(_on_menu_item_focus)
for child in node.get_children(): for child in node.get_children():
_connect_focus_recursive(child) _connect_focus_recursive(child)
func _on_menu_item_focus() -> void: func _on_menu_item_focus() -> void:
if MenuSfx: if MenuSfx:
MenuSfx.play_hover() MenuSfx.play_hover()

View File

@ -1 +1 @@
uid://h1slqbemgwvr uid://h1slqbemgwvr

View File

@ -1,157 +1,157 @@
[gd_scene load_steps=5 format=3 uid="uid://d3tqrm4ry4l88"] [gd_scene load_steps=5 format=3 uid="uid://d3tqrm4ry4l88"]
[ext_resource type="Script" uid="uid://h1slqbemgwvr" path="res://scenes/UI/Settings.gd" id="1_1dggd"] [ext_resource type="Script" uid="uid://h1slqbemgwvr" path="res://scenes/UI/Settings.gd" id="1_1dggd"]
[ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="1_i47rn"] [ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="1_i47rn"]
[ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="2_46duy"] [ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="2_46duy"]
[ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="3_46duy"] [ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="3_46duy"]
[node name="settings_screen" type="Node2D"] [node name="settings_screen" type="Node2D"]
script = ExtResource("1_1dggd") script = ExtResource("1_1dggd")
metadata/_edit_vertical_guides_ = [1152.0] metadata/_edit_vertical_guides_ = [1152.0]
[node name="TextureRect" type="TextureRect" parent="."] [node name="TextureRect" type="TextureRect" parent="."]
offset_left = -192.0 offset_left = -192.0
offset_top = -188.0 offset_top = -188.0
offset_right = 1344.0 offset_right = 1344.0
offset_bottom = 836.0 offset_bottom = 836.0
texture = ExtResource("1_i47rn") texture = ExtResource("1_i47rn")
[node name="MarginContainer" type="MarginContainer" parent="."] [node name="MarginContainer" type="MarginContainer" parent="."]
offset_right = 1152.0 offset_right = 1152.0
offset_bottom = 648.0 offset_bottom = 648.0
[node name="VBoxContainer" type="VBoxContainer" parent="MarginContainer"] [node name="VBoxContainer" type="VBoxContainer" parent="MarginContainer"]
layout_mode = 2 layout_mode = 2
[node name="Label" type="Label" parent="MarginContainer/VBoxContainer"] [node name="Label" type="Label" parent="MarginContainer/VBoxContainer"]
layout_mode = 2 layout_mode = 2
theme_override_fonts/font = ExtResource("2_46duy") theme_override_fonts/font = ExtResource("2_46duy")
theme_override_font_sizes/font_size = 42 theme_override_font_sizes/font_size = 42
text = "Settings" text = "Settings"
horizontal_alignment = 1 horizontal_alignment = 1
[node name="TabBar" type="TabBar" parent="MarginContainer/VBoxContainer"] [node name="TabBar" type="TabBar" parent="MarginContainer/VBoxContainer"]
layout_mode = 2 layout_mode = 2
theme = ExtResource("3_46duy") theme = ExtResource("3_46duy")
current_tab = 0 current_tab = 0
tab_count = 4 tab_count = 4
tab_0/title = "Gameplay" tab_0/title = "Gameplay"
tab_1/title = "Video" tab_1/title = "Video"
tab_2/title = "Audio" tab_2/title = "Audio"
tab_3/title = "Dev" tab_3/title = "Dev"
[node name="TabContainer" type="TabContainer" parent="MarginContainer/VBoxContainer"] [node name="TabContainer" type="TabContainer" parent="MarginContainer/VBoxContainer"]
layout_mode = 2 layout_mode = 2
tabs_visible = false tabs_visible = false
[node name="Gameplay" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"] [node name="Gameplay" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="Video" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"] [node name="Video" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="Audio" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"] [node name="Audio" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="AudioVBox" type="VBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio"] [node name="AudioVBox" type="VBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
theme_override_constants/separation = 10 theme_override_constants/separation = 10
offset_left = 120.0 offset_left = 120.0
offset_top = 240.0 offset_top = 240.0
offset_right = -120.0 offset_right = -120.0
offset_bottom = -40.0 offset_bottom = -40.0
[node name="MusicVolumeLabel" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"] [node name="MusicVolumeLabel" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"]
layout_mode = 2 layout_mode = 2
text = "Music Volume" text = "Music Volume"
horizontal_alignment = 1 horizontal_alignment = 1
size_flags_horizontal = 4 size_flags_horizontal = 4
[node name="MusicVolumeGroup" type="HBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"] [node name="MusicVolumeGroup" type="HBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 12 theme_override_constants/separation = 12
alignment = 1 alignment = 1
custom_minimum_size = Vector2(0, 40) custom_minimum_size = Vector2(0, 40)
[node name="MusicVolumeSlider" type="HSlider" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"] [node name="MusicVolumeSlider" type="HSlider" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"]
layout_mode = 2 layout_mode = 2
min_value = 0.0 min_value = 0.0
max_value = 1.0 max_value = 1.0
step = 0.01 step = 0.01
size_flags_horizontal = 3 size_flags_horizontal = 3
custom_minimum_size = Vector2(320, 0) custom_minimum_size = Vector2(320, 0)
[node name="MusicVolumeValue" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"] [node name="MusicVolumeValue" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"]
layout_mode = 2 layout_mode = 2
text = "70%" text = "70%"
size_flags_horizontal = 1 size_flags_horizontal = 1
horizontal_alignment = 1 horizontal_alignment = 1
custom_minimum_size = Vector2(60, 0) custom_minimum_size = Vector2(60, 0)
[node name="MusicMuteCheckBox" type="CheckBox" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"] [node name="MusicMuteCheckBox" type="CheckBox" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/MusicVolumeGroup"]
layout_mode = 2 layout_mode = 2
text = "Mute" text = "Mute"
size_flags_horizontal = 1 size_flags_horizontal = 1
[node name="SfxVolumeLabel" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"] [node name="SfxVolumeLabel" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"]
layout_mode = 2 layout_mode = 2
text = "Menu SFX Volume" text = "Menu SFX Volume"
horizontal_alignment = 1 horizontal_alignment = 1
size_flags_horizontal = 4 size_flags_horizontal = 4
[node name="SfxVolumeGroup" type="HBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"] [node name="SfxVolumeGroup" type="HBoxContainer" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 12 theme_override_constants/separation = 12
alignment = 1 alignment = 1
custom_minimum_size = Vector2(0, 40) custom_minimum_size = Vector2(0, 40)
[node name="SfxVolumeSlider" type="HSlider" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"] [node name="SfxVolumeSlider" type="HSlider" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"]
layout_mode = 2 layout_mode = 2
min_value = 0.0 min_value = 0.0
max_value = 1.0 max_value = 1.0
step = 0.01 step = 0.01
size_flags_horizontal = 3 size_flags_horizontal = 3
custom_minimum_size = Vector2(320, 0) custom_minimum_size = Vector2(320, 0)
[node name="SfxVolumeValue" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"] [node name="SfxVolumeValue" type="Label" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"]
layout_mode = 2 layout_mode = 2
text = "70%" text = "70%"
size_flags_horizontal = 1 size_flags_horizontal = 1
horizontal_alignment = 1 horizontal_alignment = 1
custom_minimum_size = Vector2(60, 0) custom_minimum_size = Vector2(60, 0)
[node name="SfxMuteCheckBox" type="CheckBox" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"] [node name="SfxMuteCheckBox" type="CheckBox" parent="MarginContainer/VBoxContainer/TabContainer/Audio/AudioVBox/SfxVolumeGroup"]
layout_mode = 2 layout_mode = 2
text = "Mute" text = "Mute"
size_flags_horizontal = 1 size_flags_horizontal = 1
[node name="Dev" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"] [node name="Dev" type="Control" parent="MarginContainer/VBoxContainer/TabContainer"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2

View File

@ -1,15 +1,15 @@
extends Node extends Node
var is_logged_in: bool = false var is_logged_in: bool = false
var access_token: String = "" var access_token: String = ""
var username: String = "" var username: String = ""
func set_session(new_username: String, token: String) -> void: func set_session(new_username: String, token: String) -> void:
is_logged_in = true is_logged_in = true
username = new_username username = new_username
access_token = token access_token = token
func clear_session() -> void: func clear_session() -> void:
is_logged_in = false is_logged_in = false
username = "" username = ""
access_token = "" access_token = ""

View File

@ -1 +1 @@
uid://ccloj2rh4dche uid://ccloj2rh4dche

View File

@ -1,129 +1,129 @@
extends Control extends Control
const AUTH_LOGOUT_URL := "https://pauth.ranaze.com/api/Auth/logout" const AUTH_LOGOUT_URL := "https://pauth.ranaze.com/api/Auth/logout"
@onready var _status_label: Label = %StatusLabel @onready var _status_label: Label = %StatusLabel
@onready var _character_list: ItemList = %CharacterList @onready var _character_list: ItemList = %CharacterList
@onready var _name_input: LineEdit = %NameInput @onready var _name_input: LineEdit = %NameInput
@onready var _logout_request: HTTPRequest = %LogoutRequest @onready var _logout_request: HTTPRequest = %LogoutRequest
var _characters: Array = [] var _characters: Array = []
func _ready() -> void: func _ready() -> void:
if not AuthState.is_logged_in: if not AuthState.is_logged_in:
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")
return return
_load_characters() _load_characters()
func _log_failure(action: String, response: Dictionary) -> void: func _log_failure(action: String, response: Dictionary) -> void:
push_warning("%s failed: status=%s error=%s body=%s" % [ push_warning("%s failed: status=%s error=%s body=%s" % [
action, action,
response.get("status", "n/a"), response.get("status", "n/a"),
response.get("error", ""), response.get("error", ""),
response.get("body", "") response.get("body", "")
]) ])
func _load_characters() -> void: func _load_characters() -> void:
_status_label.text = "Loading characters..." _status_label.text = "Loading characters..."
var response := await CharacterService.list_characters() var response := await CharacterService.list_characters()
if not response.get("ok", false): if not response.get("ok", false):
_log_failure("List characters", response) _log_failure("List characters", response)
_status_label.text = "Failed to load characters." _status_label.text = "Failed to load characters."
return return
var parsed: Variant = JSON.parse_string(String(response.get("body", ""))) var parsed: Variant = JSON.parse_string(String(response.get("body", "")))
if typeof(parsed) != TYPE_ARRAY: if typeof(parsed) != TYPE_ARRAY:
_status_label.text = "Unexpected character response." _status_label.text = "Unexpected character response."
return return
_characters = parsed _characters = parsed
_character_list.clear() _character_list.clear()
for character in _characters: for character in _characters:
var character_name := String(character.get("name", "Unnamed")) var character_name := String(character.get("name", "Unnamed"))
_character_list.add_item(character_name) _character_list.add_item(character_name)
if _characters.is_empty(): if _characters.is_empty():
_status_label.text = "No characters yet. Add one below." _status_label.text = "No characters yet. Add one below."
else: else:
_status_label.text = "" _status_label.text = ""
func _on_add_button_pressed() -> void: func _on_add_button_pressed() -> void:
var character_name := _name_input.text.strip_edges() var character_name := _name_input.text.strip_edges()
if character_name.is_empty(): if character_name.is_empty():
_status_label.text = "Enter a character name first." _status_label.text = "Enter a character name first."
return return
_status_label.text = "Creating character..." _status_label.text = "Creating character..."
var response := await CharacterService.create_character(character_name) var response := await CharacterService.create_character(character_name)
if not response.get("ok", false): if not response.get("ok", false):
_log_failure("Create character", response) _log_failure("Create character", response)
_status_label.text = "Failed to create character." _status_label.text = "Failed to create character."
return return
var parsed: Variant = JSON.parse_string(String(response.get("body", ""))) var parsed: Variant = JSON.parse_string(String(response.get("body", "")))
if typeof(parsed) == TYPE_DICTIONARY: if typeof(parsed) == TYPE_DICTIONARY:
_characters.append(parsed) _characters.append(parsed)
_character_list.add_item(String(parsed.get("name", character_name))) _character_list.add_item(String(parsed.get("name", character_name)))
_name_input.text = "" _name_input.text = ""
_status_label.text = "Character added." _status_label.text = "Character added."
else: else:
_status_label.text = "Character created, but response was unexpected." _status_label.text = "Character created, but response was unexpected."
func _on_delete_button_pressed() -> void: func _on_delete_button_pressed() -> void:
var selected := _character_list.get_selected_items() var selected := _character_list.get_selected_items()
if selected.is_empty(): if selected.is_empty():
_status_label.text = "Select a character to delete." _status_label.text = "Select a character to delete."
return return
var index := selected[0] var index := selected[0]
if index < 0 or index >= _characters.size(): if index < 0 or index >= _characters.size():
_status_label.text = "Invalid selection." _status_label.text = "Invalid selection."
return return
var character: Dictionary = _characters[index] var character: Dictionary = _characters[index]
var character_id := String(character.get("id", character.get("Id", ""))) var character_id := String(character.get("id", character.get("Id", "")))
if character_id.is_empty(): if character_id.is_empty():
_status_label.text = "Missing character id." _status_label.text = "Missing character id."
return return
_status_label.text = "Deleting character..." _status_label.text = "Deleting character..."
var response := await CharacterService.delete_character(character_id) var response := await CharacterService.delete_character(character_id)
if not response.get("ok", false): if not response.get("ok", false):
_log_failure("Delete character", response) _log_failure("Delete character", response)
_status_label.text = "Failed to delete character." _status_label.text = "Failed to delete character."
return return
_characters.remove_at(index) _characters.remove_at(index)
_character_list.remove_item(index) _character_list.remove_item(index)
_status_label.text = "Character deleted." _status_label.text = "Character deleted."
func _on_refresh_button_pressed() -> void: func _on_refresh_button_pressed() -> void:
_load_characters() _load_characters()
func _on_back_button_pressed() -> void: func _on_back_button_pressed() -> void:
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")
func _on_logout_button_pressed() -> void: func _on_logout_button_pressed() -> void:
_request_logout() _request_logout()
func _request_logout() -> void: func _request_logout() -> void:
if AuthState.access_token.is_empty(): if AuthState.access_token.is_empty():
AuthState.clear_session() AuthState.clear_session()
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")
return return
var headers := PackedStringArray([ var headers := PackedStringArray([
"Authorization: Bearer %s" % AuthState.access_token, "Authorization: Bearer %s" % AuthState.access_token,
]) ])
var err := _logout_request.request(AUTH_LOGOUT_URL, headers, HTTPClient.METHOD_POST) var err := _logout_request.request(AUTH_LOGOUT_URL, headers, HTTPClient.METHOD_POST)
if err != OK: if err != OK:
push_warning("Failed to send logout request: %s" % err) push_warning("Failed to send logout request: %s" % err)
AuthState.clear_session() AuthState.clear_session()
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")
func _on_logout_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void: func _on_logout_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void:
var body_text := body.get_string_from_utf8() var body_text := body.get_string_from_utf8()
if result != HTTPRequest.RESULT_SUCCESS or response_code < 200 or response_code >= 300: if result != HTTPRequest.RESULT_SUCCESS or response_code < 200 or response_code >= 300:
push_warning("Logout failed (%s/%s): %s" % [result, response_code, body_text]) push_warning("Logout failed (%s/%s): %s" % [result, response_code, body_text])
AuthState.clear_session() AuthState.clear_session()
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")

View File

@ -1 +1 @@
uid://c2y7ftq2k3v4x uid://c2y7ftq2k3v4x

View File

@ -1,131 +1,131 @@
[gd_scene load_steps=5 format=3 uid="uid://cw3b7n7k2c4h6"] [gd_scene load_steps=5 format=3 uid="uid://cw3b7n7k2c4h6"]
[ext_resource type="Script" path="res://scenes/UI/character_screen.gd" id="1_0p3qk"] [ext_resource type="Script" path="res://scenes/UI/character_screen.gd" id="1_0p3qk"]
[ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_5g2t1"] [ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_5g2t1"]
[ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="3_k2j6k"] [ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="3_k2j6k"]
[ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="4_5b3b7"] [ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="4_5b3b7"]
[node name="CharacterScreen" type="Control"] [node name="CharacterScreen" type="Control"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
script = ExtResource("1_0p3qk") script = ExtResource("1_0p3qk")
[node name="TextureRect" type="TextureRect" parent="."] [node name="TextureRect" type="TextureRect" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
texture = ExtResource("2_5g2t1") texture = ExtResource("2_5g2t1")
[node name="MarginContainer" type="MarginContainer" parent="."] [node name="MarginContainer" type="MarginContainer" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
theme_override_constants/margin_left = 80 theme_override_constants/margin_left = 80
theme_override_constants/margin_top = 40 theme_override_constants/margin_top = 40
theme_override_constants/margin_right = 80 theme_override_constants/margin_right = 80
theme_override_constants/margin_bottom = 40 theme_override_constants/margin_bottom = 40
[node name="ContentCenter" type="CenterContainer" parent="MarginContainer"] [node name="ContentCenter" type="CenterContainer" parent="MarginContainer"]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter"] [node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme_override_constants/separation = 18 theme_override_constants/separation = 18
[node name="TitleLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="TitleLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("3_k2j6k") theme = ExtResource("3_k2j6k")
text = "YOUR CHARACTERS" text = "YOUR CHARACTERS"
horizontal_alignment = 1 horizontal_alignment = 1
[node name="StatusLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="StatusLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
horizontal_alignment = 1 horizontal_alignment = 1
[node name="CharacterList" type="ItemList" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="CharacterList" type="ItemList" parent="MarginContainer/ContentCenter/ContentVBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
custom_minimum_size = Vector2(520, 240) custom_minimum_size = Vector2(520, 240)
[node name="AddHBox" type="HBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="AddHBox" type="HBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 10 theme_override_constants/separation = 10
[node name="NameInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/AddHBox"] [node name="NameInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/AddHBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 3 size_flags_horizontal = 3
placeholder_text = "character name" placeholder_text = "character name"
[node name="AddButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/AddHBox"] [node name="AddButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/AddHBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 0 size_flags_horizontal = 0
theme = ExtResource("4_5b3b7") theme = ExtResource("4_5b3b7")
text = "ADD" text = "ADD"
text_alignment = 1 text_alignment = 1
[node name="ActionHBox" type="HBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="ActionHBox" type="HBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 10 theme_override_constants/separation = 10
[node name="RefreshButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"] [node name="RefreshButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_5b3b7") theme = ExtResource("4_5b3b7")
text = "REFRESH" text = "REFRESH"
text_alignment = 1 text_alignment = 1
[node name="DeleteButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"] [node name="DeleteButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_5b3b7") theme = ExtResource("4_5b3b7")
text = "DELETE" text = "DELETE"
text_alignment = 1 text_alignment = 1
[node name="BackButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"] [node name="BackButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_5b3b7") theme = ExtResource("4_5b3b7")
text = "BACK" text = "BACK"
text_alignment = 1 text_alignment = 1
[node name="LogoutButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"] [node name="LogoutButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ActionHBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_5b3b7") theme = ExtResource("4_5b3b7")
text = "LOG OUT" text = "LOG OUT"
text_alignment = 1 text_alignment = 1
[node name="LogoutRequest" type="HTTPRequest" parent="."] [node name="LogoutRequest" type="HTTPRequest" parent="."]
unique_name_in_owner = true unique_name_in_owner = true
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/AddHBox/AddButton" to="." method="_on_add_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/AddHBox/AddButton" to="." method="_on_add_button_pressed"]
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/RefreshButton" to="." method="_on_refresh_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/RefreshButton" to="." method="_on_refresh_button_pressed"]
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/DeleteButton" to="." method="_on_delete_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/DeleteButton" to="." method="_on_delete_button_pressed"]
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/BackButton" to="." method="_on_back_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/BackButton" to="." method="_on_back_button_pressed"]
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/LogoutButton" to="." method="_on_logout_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ActionHBox/LogoutButton" to="." method="_on_logout_button_pressed"]
[connection signal="request_completed" from="LogoutRequest" to="." method="_on_logout_request_completed"] [connection signal="request_completed" from="LogoutRequest" to="." method="_on_logout_request_completed"]

View File

@ -1,58 +1,58 @@
extends Node extends Node
const CHARACTER_API_URL := "https://pchar.ranaze.com/api/Characters" const CHARACTER_API_URL := "https://pchar.ranaze.com/api/Characters"
func list_characters() -> Dictionary: func list_characters() -> Dictionary:
return await _request(HTTPClient.METHOD_GET, CHARACTER_API_URL) return await _request(HTTPClient.METHOD_GET, CHARACTER_API_URL)
func create_character(character_name: String) -> Dictionary: func create_character(character_name: String) -> Dictionary:
var payload := JSON.stringify({ var payload := JSON.stringify({
"name": character_name "name": character_name
}) })
return await _request(HTTPClient.METHOD_POST, CHARACTER_API_URL, payload) return await _request(HTTPClient.METHOD_POST, CHARACTER_API_URL, payload)
func delete_character(character_id: String) -> Dictionary: func delete_character(character_id: String) -> Dictionary:
var url := "%s/%s" % [CHARACTER_API_URL, character_id] var url := "%s/%s" % [CHARACTER_API_URL, character_id]
return await _request(HTTPClient.METHOD_DELETE, url) return await _request(HTTPClient.METHOD_DELETE, url)
func _request(method: int, url: String, body: String = "") -> Dictionary: func _request(method: int, url: String, body: String = "") -> Dictionary:
var request := HTTPRequest.new() var request := HTTPRequest.new()
add_child(request) add_child(request)
var headers := PackedStringArray() var headers := PackedStringArray()
if not AuthState.access_token.is_empty(): if not AuthState.access_token.is_empty():
headers.append("Authorization: Bearer %s" % AuthState.access_token) headers.append("Authorization: Bearer %s" % AuthState.access_token)
if method == HTTPClient.METHOD_POST or method == HTTPClient.METHOD_PUT: if method == HTTPClient.METHOD_POST or method == HTTPClient.METHOD_PUT:
headers.append("Content-Type: application/json") headers.append("Content-Type: application/json")
var err := request.request(url, headers, method, body) var err := request.request(url, headers, method, body)
if err != OK: if err != OK:
request.queue_free() request.queue_free()
return { return {
"ok": false, "ok": false,
"status": 0, "status": 0,
"error": "Failed to send request (%s)." % err, "error": "Failed to send request (%s)." % err,
"body": "" "body": ""
} }
var result: Array = await request.request_completed var result: Array = await request.request_completed
request.queue_free() request.queue_free()
var result_code: int = result[0] var result_code: int = result[0]
var response_code: int = result[1] var response_code: int = result[1]
var response_body: String = result[3].get_string_from_utf8() var response_body: String = result[3].get_string_from_utf8()
if result_code != HTTPRequest.RESULT_SUCCESS: if result_code != HTTPRequest.RESULT_SUCCESS:
return { return {
"ok": false, "ok": false,
"status": response_code, "status": response_code,
"error": "Network error (%s)." % result_code, "error": "Network error (%s)." % result_code,
"body": response_body "body": response_body
} }
return { return {
"ok": response_code >= 200 and response_code < 300, "ok": response_code >= 200 and response_code < 300,
"status": response_code, "status": response_code,
"error": "", "error": "",
"body": response_body "body": response_body
} }

View File

@ -1 +1 @@
uid://c8kchv0e77yw4 uid://c8kchv0e77yw4

View File

@ -1,48 +1,48 @@
extends Control extends Control
const AUTH_LOGIN_URL := "https://pauth.ranaze.com/api/Auth/login" const AUTH_LOGIN_URL := "https://pauth.ranaze.com/api/Auth/login"
@onready var _username_input: LineEdit = %UsernameInput @onready var _username_input: LineEdit = %UsernameInput
@onready var _password_input: LineEdit = %PasswordInput @onready var _password_input: LineEdit = %PasswordInput
@onready var _login_request: HTTPRequest = %LoginRequest @onready var _login_request: HTTPRequest = %LoginRequest
@onready var _error_label: Label = %ErrorLabel @onready var _error_label: Label = %ErrorLabel
func _on_log_in_button_pressed() -> void: func _on_log_in_button_pressed() -> void:
var username := _username_input.text.strip_edges() var username := _username_input.text.strip_edges()
var password := _password_input.text var password := _password_input.text
if username.is_empty() or password.is_empty(): if username.is_empty() or password.is_empty():
_show_error("Username and password required.") _show_error("Username and password required.")
return return
var payload := { var payload := {
"username": username, "username": username,
"password": password, "password": password,
} }
var headers := PackedStringArray(["Content-Type: application/json"]) var headers := PackedStringArray(["Content-Type: application/json"])
var err := _login_request.request(AUTH_LOGIN_URL, headers, HTTPClient.METHOD_POST, JSON.stringify(payload)) var err := _login_request.request(AUTH_LOGIN_URL, headers, HTTPClient.METHOD_POST, JSON.stringify(payload))
if err != OK: if err != OK:
_show_error("Failed to send login request.") _show_error("Failed to send login request.")
func _on_login_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void: func _on_login_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void:
var body_text := body.get_string_from_utf8() var body_text := body.get_string_from_utf8()
if result != HTTPRequest.RESULT_SUCCESS: if result != HTTPRequest.RESULT_SUCCESS:
_show_error("Network error. Please try again.") _show_error("Network error. Please try again.")
return return
if response_code >= 200 and response_code < 300: if response_code >= 200 and response_code < 300:
var response: Variant = JSON.parse_string(body_text) var response: Variant = JSON.parse_string(body_text)
if typeof(response) == TYPE_DICTIONARY: if typeof(response) == TYPE_DICTIONARY:
#print("Login success for %s" % response.get("username", "unknown")) #print("Login success for %s" % response.get("username", "unknown"))
#print("Access Token: %s" % response.get("accessToken", "")) #print("Access Token: %s" % response.get("accessToken", ""))
var token := String(response.get("accessToken", "")) var token := String(response.get("accessToken", ""))
var username := String(response.get("username", "")) var username := String(response.get("username", ""))
AuthState.set_session(username, token) AuthState.set_session(username, token)
get_tree().change_scene_to_file("res://scenes/UI/character_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/character_screen.tscn")
else: else:
_show_error("Login failed. Check your credentials.") _show_error("Login failed. Check your credentials.")
func _on_back_button_pressed() -> void: func _on_back_button_pressed() -> void:
get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/start_screen.tscn")
func _show_error(message: String) -> void: func _show_error(message: String) -> void:
_error_label.text = message _error_label.text = message

View File

@ -1 +1 @@
uid://bnrhapdcfvp04 uid://bnrhapdcfvp04

View File

@ -1,117 +1,117 @@
[gd_scene load_steps=5 format=3 uid="uid://fmp1tah03kew"] [gd_scene load_steps=5 format=3 uid="uid://fmp1tah03kew"]
[ext_resource type="Script" path="res://scenes/UI/login_screen.gd" id="1_jqkpi"] [ext_resource type="Script" path="res://scenes/UI/login_screen.gd" id="1_jqkpi"]
[ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_2n6di"] [ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_2n6di"]
[ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="3_c4k70"] [ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="3_c4k70"]
[ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="4_gx673"] [ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="4_gx673"]
[node name="LoginScreen" type="Control"] [node name="LoginScreen" type="Control"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
script = ExtResource("1_jqkpi") script = ExtResource("1_jqkpi")
[node name="TextureRect" type="TextureRect" parent="."] [node name="TextureRect" type="TextureRect" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
texture = ExtResource("2_2n6di") texture = ExtResource("2_2n6di")
[node name="MarginContainer" type="MarginContainer" parent="."] [node name="MarginContainer" type="MarginContainer" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
theme_override_constants/margin_left = 80 theme_override_constants/margin_left = 80
theme_override_constants/margin_top = 40 theme_override_constants/margin_top = 40
theme_override_constants/margin_right = 80 theme_override_constants/margin_right = 80
theme_override_constants/margin_bottom = 40 theme_override_constants/margin_bottom = 40
[node name="ContentCenter" type="CenterContainer" parent="MarginContainer"] [node name="ContentCenter" type="CenterContainer" parent="MarginContainer"]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
[node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter"] [node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme_override_constants/separation = 24 theme_override_constants/separation = 24
[node name="TitleLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="TitleLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("3_c4k70") theme = ExtResource("3_c4k70")
text = "ACCOUNT LOGIN" text = "ACCOUNT LOGIN"
horizontal_alignment = 1 horizontal_alignment = 1
[node name="FormVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="FormVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 8 theme_override_constants/separation = 8
custom_minimum_size = Vector2(480, 0) custom_minimum_size = Vector2(480, 0)
[node name="UsernameLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"] [node name="UsernameLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"]
layout_mode = 2 layout_mode = 2
text = "Username" text = "Username"
[node name="UsernameInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"] [node name="UsernameInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
placeholder_text = "enter username" placeholder_text = "enter username"
caret_blink = true caret_blink = true
[node name="PasswordLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"] [node name="PasswordLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"]
layout_mode = 2 layout_mode = 2
text = "Password" text = "Password"
[node name="PasswordInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"] [node name="PasswordInput" type="LineEdit" parent="MarginContainer/ContentCenter/ContentVBox/FormVBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
placeholder_text = "enter password" placeholder_text = "enter password"
secret = true secret = true
[node name="ButtonVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"] [node name="ButtonVBox" type="VBoxContainer" parent="MarginContainer/ContentCenter/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme_override_constants/separation = 12 theme_override_constants/separation = 12
[node name="ErrorLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"] [node name="ErrorLabel" type="Label" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"]
unique_name_in_owner = true unique_name_in_owner = true
layout_mode = 2 layout_mode = 2
theme = ExtResource("3_c4k70") theme = ExtResource("3_c4k70")
horizontal_alignment = 1 horizontal_alignment = 1
theme_override_font_sizes/font_size = 26 theme_override_font_sizes/font_size = 26
theme_override_colors/font_color = Color(1, 0.2, 0.2, 1) theme_override_colors/font_color = Color(1, 0.2, 0.2, 1)
[node name="LogInButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"] [node name="LogInButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_gx673") theme = ExtResource("4_gx673")
text = "LOG IN" text = "LOG IN"
text_alignment = 1 text_alignment = 1
[node name="BackButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"] [node name="BackButton" type="Button" parent="MarginContainer/ContentCenter/ContentVBox/ButtonVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_gx673") theme = ExtResource("4_gx673")
text = "BACK" text = "BACK"
text_alignment = 1 text_alignment = 1
[node name="LoginRequest" type="HTTPRequest" parent="."] [node name="LoginRequest" type="HTTPRequest" parent="."]
unique_name_in_owner = true unique_name_in_owner = true
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ButtonVBox/LogInButton" to="." method="_on_log_in_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ButtonVBox/LogInButton" to="." method="_on_log_in_button_pressed"]
[connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ButtonVBox/BackButton" to="." method="_on_back_button_pressed"] [connection signal="pressed" from="MarginContainer/ContentCenter/ContentVBox/ButtonVBox/BackButton" to="." method="_on_back_button_pressed"]
[connection signal="request_completed" from="LoginRequest" to="." method="_on_login_request_completed"] [connection signal="request_completed" from="LoginRequest" to="." method="_on_login_request_completed"]

View File

@ -1,107 +1,107 @@
extends AudioStreamPlayer extends AudioStreamPlayer
const MENU_SCENES: Dictionary = { const MENU_SCENES: Dictionary = {
"res://scenes/UI/start_screen.tscn": true, "res://scenes/UI/start_screen.tscn": true,
"res://scenes/UI/Settings.tscn": true, "res://scenes/UI/Settings.tscn": true,
"res://scenes/UI/login_screen.tscn": true, "res://scenes/UI/login_screen.tscn": true,
} }
const CONFIG_PATH := "user://settings.cfg" const CONFIG_PATH := "user://settings.cfg"
const CONFIG_SECTION := "audio" const CONFIG_SECTION := "audio"
const CONFIG_KEY_MUSIC_VOLUME := "menu_music_volume" const CONFIG_KEY_MUSIC_VOLUME := "menu_music_volume"
const CONFIG_KEY_MUSIC_MUTED := "menu_music_muted" const CONFIG_KEY_MUSIC_MUTED := "menu_music_muted"
const DEFAULT_VOLUME := 0.7 const DEFAULT_VOLUME := 0.7
var _last_scene: Node = null var _last_scene: Node = null
var _user_volume_linear: float = DEFAULT_VOLUME var _user_volume_linear: float = DEFAULT_VOLUME
var _is_muted: bool = false var _is_muted: bool = false
func _ready() -> void: func _ready() -> void:
set_process(true) set_process(true)
_load_settings() _load_settings()
_apply_volume() _apply_volume()
_update_playback(get_tree().current_scene) _update_playback(get_tree().current_scene)
func _process(_delta: float) -> void: func _process(_delta: float) -> void:
var current := get_tree().current_scene var current := get_tree().current_scene
if current != _last_scene: if current != _last_scene:
_update_playback(current) _update_playback(current)
elif _should_play_scene(current) and not playing and not _is_muted and _user_volume_linear > 0.0: elif _should_play_scene(current) and not playing and not _is_muted and _user_volume_linear > 0.0:
play() play()
func _update_playback(scene: Node) -> void: func _update_playback(scene: Node) -> void:
if scene == null: if scene == null:
_last_scene = null _last_scene = null
return return
_last_scene = scene _last_scene = scene
if _should_play_scene(scene): if _should_play_scene(scene):
if not playing: if not playing:
play() play()
elif playing: elif playing:
stop() stop()
func _should_play_scene(scene: Node) -> bool: func _should_play_scene(scene: Node) -> bool:
if scene == null: if scene == null:
return false return false
var scene_path: String = scene.get_scene_file_path() var scene_path: String = scene.get_scene_file_path()
if scene_path.is_empty(): if scene_path.is_empty():
return false return false
return MENU_SCENES.has(scene_path) return MENU_SCENES.has(scene_path)
func set_user_volume(value: float) -> void: func set_user_volume(value: float) -> void:
var clamped_value: float = clamp(value, 0.0, 1.0) var clamped_value: float = clamp(value, 0.0, 1.0)
if is_equal_approx(_user_volume_linear, clamped_value): if is_equal_approx(_user_volume_linear, clamped_value):
return return
_user_volume_linear = clamped_value _user_volume_linear = clamped_value
_apply_volume() _apply_volume()
_save_settings() _save_settings()
func get_user_volume() -> float: func get_user_volume() -> float:
return _user_volume_linear return _user_volume_linear
func set_user_muted(muted: bool) -> void: func set_user_muted(muted: bool) -> void:
var new_muted: bool = muted var new_muted: bool = muted
if _is_muted == new_muted: if _is_muted == new_muted:
return return
_is_muted = new_muted _is_muted = new_muted
_apply_volume() _apply_volume()
_save_settings() _save_settings()
func is_user_muted() -> bool: func is_user_muted() -> bool:
return _is_muted return _is_muted
func _apply_volume() -> void: func _apply_volume() -> void:
if _is_muted or _user_volume_linear <= 0.0: if _is_muted or _user_volume_linear <= 0.0:
volume_db = -80.0 volume_db = -80.0
else: else:
volume_db = linear_to_db(_user_volume_linear) volume_db = linear_to_db(_user_volume_linear)
func _load_settings() -> void: func _load_settings() -> void:
var config: ConfigFile = ConfigFile.new() var config: ConfigFile = ConfigFile.new()
var err: int = config.load(CONFIG_PATH) var err: int = config.load(CONFIG_PATH)
if err == OK: if err == OK:
var stored_volume: float = float(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_VOLUME, DEFAULT_VOLUME)) var stored_volume: float = float(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_VOLUME, DEFAULT_VOLUME))
_user_volume_linear = clamp(stored_volume, 0.0, 1.0) _user_volume_linear = clamp(stored_volume, 0.0, 1.0)
var stored_muted: bool = bool(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_MUTED, false)) var stored_muted: bool = bool(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_MUTED, false))
_is_muted = stored_muted _is_muted = stored_muted
elif err == ERR_DOES_NOT_EXIST: elif err == ERR_DOES_NOT_EXIST:
_user_volume_linear = DEFAULT_VOLUME _user_volume_linear = DEFAULT_VOLUME
_is_muted = false _is_muted = false
else: else:
push_warning("Failed to load settings.cfg: %s" % err) push_warning("Failed to load settings.cfg: %s" % err)
_user_volume_linear = DEFAULT_VOLUME _user_volume_linear = DEFAULT_VOLUME
_is_muted = false _is_muted = false
func _save_settings() -> void: func _save_settings() -> void:
var config: ConfigFile = ConfigFile.new() var config: ConfigFile = ConfigFile.new()
var err: int = config.load(CONFIG_PATH) var err: int = config.load(CONFIG_PATH)
if err != OK and err != ERR_DOES_NOT_EXIST: if err != OK and err != ERR_DOES_NOT_EXIST:
push_warning("Failed to load settings.cfg before saving: %s" % err) push_warning("Failed to load settings.cfg before saving: %s" % err)
config = ConfigFile.new() config = ConfigFile.new()
elif err != OK: elif err != OK:
config = ConfigFile.new() config = ConfigFile.new()
config.set_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_VOLUME, _user_volume_linear) config.set_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_VOLUME, _user_volume_linear)
config.set_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_MUTED, _is_muted) config.set_value(CONFIG_SECTION, CONFIG_KEY_MUSIC_MUTED, _is_muted)
var save_err: int = config.save(CONFIG_PATH) var save_err: int = config.save(CONFIG_PATH)
if save_err != OK: if save_err != OK:
push_warning("Failed to save settings.cfg: %s" % save_err) push_warning("Failed to save settings.cfg: %s" % save_err)

View File

@ -1 +1 @@
uid://l0cqi7dvoou3 uid://l0cqi7dvoou3

View File

@ -1,13 +1,13 @@
[gd_scene load_steps=3 format=3 uid="uid://dfmq1n507y7d3"] [gd_scene load_steps=3 format=3 uid="uid://dfmq1n507y7d3"]
[ext_resource type="AudioStream" uid="uid://txgki0ijeuud" path="res://assets/audio/silly-test.ogg" id="1_ek0t3"] [ext_resource type="AudioStream" uid="uid://txgki0ijeuud" path="res://assets/audio/silly-test.ogg" id="1_ek0t3"]
[ext_resource type="Script" path="res://scenes/UI/menu_music.gd" id="2_21d4q"] [ext_resource type="Script" path="res://scenes/UI/menu_music.gd" id="2_21d4q"]
[node name="MenuMusic" type="AudioStreamPlayer"] [node name="MenuMusic" type="AudioStreamPlayer"]
bus = &"Music" bus = &"Music"
stream = ExtResource("1_ek0t3") stream = ExtResource("1_ek0t3")
autoplay = true autoplay = true
volume_db = -3.0 volume_db = -3.0
priority = 10.0 priority = 10.0
script = ExtResource("2_21d4q") script = ExtResource("2_21d4q")

View File

@ -1,76 +1,76 @@
extends AudioStreamPlayer extends AudioStreamPlayer
const CONFIG_PATH := "user://settings.cfg" const CONFIG_PATH := "user://settings.cfg"
const CONFIG_SECTION := "audio" const CONFIG_SECTION := "audio"
const CONFIG_KEY_VOLUME := "menu_sfx_volume" const CONFIG_KEY_VOLUME := "menu_sfx_volume"
const CONFIG_KEY_MUTED := "menu_sfx_muted" const CONFIG_KEY_MUTED := "menu_sfx_muted"
const DEFAULT_VOLUME := 0.7 const DEFAULT_VOLUME := 0.7
var _user_volume_linear: float = DEFAULT_VOLUME var _user_volume_linear: float = DEFAULT_VOLUME
var _is_muted: bool = false var _is_muted: bool = false
func _ready() -> void: func _ready() -> void:
_load_settings() _load_settings()
_apply_volume() _apply_volume()
func play_hover() -> void: func play_hover() -> void:
if stream == null or _is_muted or _user_volume_linear <= 0.0: if stream == null or _is_muted or _user_volume_linear <= 0.0:
return return
play(0.0) play(0.0)
func set_user_volume(value: float) -> void: func set_user_volume(value: float) -> void:
var clamped_value: float = clamp(value, 0.0, 1.0) var clamped_value: float = clamp(value, 0.0, 1.0)
if is_equal_approx(_user_volume_linear, clamped_value): if is_equal_approx(_user_volume_linear, clamped_value):
return return
_user_volume_linear = clamped_value _user_volume_linear = clamped_value
_apply_volume() _apply_volume()
_save_settings() _save_settings()
func get_user_volume() -> float: func get_user_volume() -> float:
return _user_volume_linear return _user_volume_linear
func set_user_muted(muted: bool) -> void: func set_user_muted(muted: bool) -> void:
if _is_muted == muted: if _is_muted == muted:
return return
_is_muted = muted _is_muted = muted
_apply_volume() _apply_volume()
_save_settings() _save_settings()
if _is_muted: if _is_muted:
stop() stop()
func is_user_muted() -> bool: func is_user_muted() -> bool:
return _is_muted return _is_muted
func _apply_volume() -> void: func _apply_volume() -> void:
if _is_muted or _user_volume_linear <= 0.0: if _is_muted or _user_volume_linear <= 0.0:
volume_db = -80.0 volume_db = -80.0
else: else:
volume_db = linear_to_db(_user_volume_linear) volume_db = linear_to_db(_user_volume_linear)
func _load_settings() -> void: func _load_settings() -> void:
var config: ConfigFile = ConfigFile.new() var config: ConfigFile = ConfigFile.new()
var err: int = config.load(CONFIG_PATH) var err: int = config.load(CONFIG_PATH)
if err == OK: if err == OK:
_user_volume_linear = clamp(float(config.get_value(CONFIG_SECTION, CONFIG_KEY_VOLUME, DEFAULT_VOLUME)), 0.0, 1.0) _user_volume_linear = clamp(float(config.get_value(CONFIG_SECTION, CONFIG_KEY_VOLUME, DEFAULT_VOLUME)), 0.0, 1.0)
_is_muted = bool(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUTED, false)) _is_muted = bool(config.get_value(CONFIG_SECTION, CONFIG_KEY_MUTED, false))
elif err == ERR_DOES_NOT_EXIST: elif err == ERR_DOES_NOT_EXIST:
_user_volume_linear = DEFAULT_VOLUME _user_volume_linear = DEFAULT_VOLUME
_is_muted = false _is_muted = false
else: else:
push_warning("Failed to load settings.cfg: %s" % err) push_warning("Failed to load settings.cfg: %s" % err)
_user_volume_linear = DEFAULT_VOLUME _user_volume_linear = DEFAULT_VOLUME
_is_muted = false _is_muted = false
func _save_settings() -> void: func _save_settings() -> void:
var config: ConfigFile = ConfigFile.new() var config: ConfigFile = ConfigFile.new()
var err: int = config.load(CONFIG_PATH) var err: int = config.load(CONFIG_PATH)
if err != OK and err != ERR_DOES_NOT_EXIST: if err != OK and err != ERR_DOES_NOT_EXIST:
push_warning("Failed to load settings.cfg before saving: %s" % err) push_warning("Failed to load settings.cfg before saving: %s" % err)
config = ConfigFile.new() config = ConfigFile.new()
elif err != OK: elif err != OK:
config = ConfigFile.new() config = ConfigFile.new()
config.set_value(CONFIG_SECTION, CONFIG_KEY_VOLUME, _user_volume_linear) config.set_value(CONFIG_SECTION, CONFIG_KEY_VOLUME, _user_volume_linear)
config.set_value(CONFIG_SECTION, CONFIG_KEY_MUTED, _is_muted) config.set_value(CONFIG_SECTION, CONFIG_KEY_MUTED, _is_muted)
var save_err: int = config.save(CONFIG_PATH) var save_err: int = config.save(CONFIG_PATH)
if save_err != OK: if save_err != OK:
push_warning("Failed to save settings.cfg: %s" % save_err) push_warning("Failed to save settings.cfg: %s" % save_err)

View File

@ -1 +1 @@
uid://c7ixr4hbh5ad6 uid://c7ixr4hbh5ad6

View File

@ -1,13 +1,13 @@
[gd_scene load_steps=3 format=3 uid="uid://dt785sv7ie7uj"] [gd_scene load_steps=3 format=3 uid="uid://dt785sv7ie7uj"]
[ext_resource type="AudioStream" uid="uid://64dplcgx2icb" path="res://assets/audio/silly-menu-hover-test.ogg" id="1_a5j5k"] [ext_resource type="AudioStream" uid="uid://64dplcgx2icb" path="res://assets/audio/silly-menu-hover-test.ogg" id="1_a5j5k"]
[ext_resource type="Script" path="res://scenes/UI/menu_sfx.gd" id="1_ijvfa"] [ext_resource type="Script" path="res://scenes/UI/menu_sfx.gd" id="1_ijvfa"]
[node name="MenuSfx" type="AudioStreamPlayer"] [node name="MenuSfx" type="AudioStreamPlayer"]
bus = &"SFX" bus = &"SFX"
stream = ExtResource("1_a5j5k") stream = ExtResource("1_a5j5k")
volume_db = -6.0 volume_db = -6.0
autoplay = false autoplay = false
priority = 0.5 priority = 0.5
max_polyphony = 4 max_polyphony = 4
script = ExtResource("1_ijvfa") script = ExtResource("1_ijvfa")

View File

@ -1,66 +1,66 @@
extends Control extends Control
const AUTH_LOGOUT_URL := "https://pauth.ranaze.com/api/Auth/logout" const AUTH_LOGOUT_URL := "https://pauth.ranaze.com/api/Auth/logout"
@onready var _login_button: Button = $MarginContainer/CenterContainer/ContentVBox/VBoxContainer/LogInButton @onready var _login_button: Button = $MarginContainer/CenterContainer/ContentVBox/VBoxContainer/LogInButton
@onready var _logout_request: HTTPRequest = %LogoutRequest @onready var _logout_request: HTTPRequest = %LogoutRequest
func _ready(): func _ready():
_register_focus_sounds() _register_focus_sounds()
_update_login_button() _update_login_button()
func _register_focus_sounds() -> void: func _register_focus_sounds() -> void:
var button_container := $MarginContainer/CenterContainer/ContentVBox/VBoxContainer var button_container := $MarginContainer/CenterContainer/ContentVBox/VBoxContainer
for child in button_container.get_children(): for child in button_container.get_children():
if child is BaseButton: if child is BaseButton:
var button: BaseButton = child var button: BaseButton = child
if not button.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")): if not button.is_connected("focus_entered", Callable(self, "_on_menu_item_focus")):
button.focus_entered.connect(_on_menu_item_focus) button.focus_entered.connect(_on_menu_item_focus)
if not button.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")): if not button.is_connected("mouse_entered", Callable(self, "_on_menu_item_focus")):
button.mouse_entered.connect(_on_menu_item_focus) button.mouse_entered.connect(_on_menu_item_focus)
func _on_start_button_pressed(): func _on_start_button_pressed():
get_tree().change_scene_to_file("uid://dchj6g2i8ebph") get_tree().change_scene_to_file("uid://dchj6g2i8ebph")
func _on_settings_button_pressed(): func _on_settings_button_pressed():
get_tree().change_scene_to_file("uid://d3tqrm4ry4l88") get_tree().change_scene_to_file("uid://d3tqrm4ry4l88")
func _on_quit_button_pressed(): func _on_quit_button_pressed():
get_tree().quit() get_tree().quit()
func _on_log_in_button_pressed(): func _on_log_in_button_pressed():
if AuthState.is_logged_in: if AuthState.is_logged_in:
_request_logout() _request_logout()
else: else:
get_tree().change_scene_to_file("res://scenes/UI/login_screen.tscn") get_tree().change_scene_to_file("res://scenes/UI/login_screen.tscn")
func _on_menu_item_focus() -> void: func _on_menu_item_focus() -> void:
if MenuSfx: if MenuSfx:
MenuSfx.play_hover() MenuSfx.play_hover()
func _request_logout() -> void: func _request_logout() -> void:
if AuthState.access_token.is_empty(): if AuthState.access_token.is_empty():
AuthState.clear_session() AuthState.clear_session()
_update_login_button() _update_login_button()
return return
var headers := PackedStringArray([ var headers := PackedStringArray([
"Authorization: Bearer %s" % AuthState.access_token, "Authorization: Bearer %s" % AuthState.access_token,
]) ])
var err := _logout_request.request(AUTH_LOGOUT_URL, headers, HTTPClient.METHOD_POST) var err := _logout_request.request(AUTH_LOGOUT_URL, headers, HTTPClient.METHOD_POST)
if err != OK: if err != OK:
push_warning("Failed to send logout request: %s" % err) push_warning("Failed to send logout request: %s" % err)
AuthState.clear_session() AuthState.clear_session()
_update_login_button() _update_login_button()
func _on_logout_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void: func _on_logout_request_completed(result: int, response_code: int, _headers: PackedStringArray, body: PackedByteArray) -> void:
var body_text := body.get_string_from_utf8() var body_text := body.get_string_from_utf8()
if result != HTTPRequest.RESULT_SUCCESS or response_code < 200 or response_code >= 300: if result != HTTPRequest.RESULT_SUCCESS or response_code < 200 or response_code >= 300:
push_warning("Logout failed (%s/%s): %s" % [result, response_code, body_text]) push_warning("Logout failed (%s/%s): %s" % [result, response_code, body_text])
AuthState.clear_session() AuthState.clear_session()
_update_login_button() _update_login_button()
func _update_login_button() -> void: func _update_login_button() -> void:
if AuthState.is_logged_in: if AuthState.is_logged_in:
_login_button.text = "LOG OUT" _login_button.text = "LOG OUT"
else: else:
_login_button.text = "LOG IN" _login_button.text = "LOG IN"

View File

@ -1 +1 @@
uid://cc8lskf7y74kh uid://cc8lskf7y74kh

View File

@ -1,100 +1,100 @@
[gd_scene load_steps=5 format=3 uid="uid://b4k81taauef4q"] [gd_scene load_steps=5 format=3 uid="uid://b4k81taauef4q"]
[ext_resource type="Script" uid="uid://cc8lskf7y74kh" path="res://scenes/UI/start_screen.gd" id="1_o7i0r"] [ext_resource type="Script" uid="uid://cc8lskf7y74kh" path="res://scenes/UI/start_screen.gd" id="1_o7i0r"]
[ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="1_tx5wa"] [ext_resource type="Theme" uid="uid://wpxmub0n2dr3" path="res://themes/button_theme.tres" id="1_tx5wa"]
[ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_r2jwc"] [ext_resource type="Texture2D" uid="uid://dhuosr0p605gj" path="res://assets/images/pp_start_bg.png" id="2_r2jwc"]
[ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="4_hm208"] [ext_resource type="Theme" uid="uid://tn8qndst18d6" path="res://themes/title_font_theme.tres" id="4_hm208"]
[node name="StartScreen" type="Control"] [node name="StartScreen" type="Control"]
layout_mode = 3 layout_mode = 3
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
script = ExtResource("1_o7i0r") script = ExtResource("1_o7i0r")
[node name="TextureRect" type="TextureRect" parent="."] [node name="TextureRect" type="TextureRect" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
texture = ExtResource("2_r2jwc") texture = ExtResource("2_r2jwc")
[node name="MarginContainer" type="MarginContainer" parent="."] [node name="MarginContainer" type="MarginContainer" parent="."]
layout_mode = 1 layout_mode = 1
anchors_preset = 15 anchors_preset = 15
anchor_right = 1.0 anchor_right = 1.0
anchor_bottom = 1.0 anchor_bottom = 1.0
grow_horizontal = 2 grow_horizontal = 2
grow_vertical = 2 grow_vertical = 2
theme_override_constants/margin_left = 10 theme_override_constants/margin_left = 10
theme_override_constants/margin_top = 10 theme_override_constants/margin_top = 10
theme_override_constants/margin_right = 10 theme_override_constants/margin_right = 10
theme_override_constants/margin_bottom = 10 theme_override_constants/margin_bottom = 10
[node name="CenterContainer" type="CenterContainer" parent="MarginContainer"] [node name="CenterContainer" type="CenterContainer" parent="MarginContainer"]
layout_mode = 2 layout_mode = 2
[node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/CenterContainer"] [node name="ContentVBox" type="VBoxContainer" parent="MarginContainer/CenterContainer"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 8 size_flags_vertical = 8
theme_override_constants/separation = 10 theme_override_constants/separation = 10
[node name="Label" type="Label" parent="MarginContainer/CenterContainer/ContentVBox"] [node name="Label" type="Label" parent="MarginContainer/CenterContainer/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
theme = ExtResource("4_hm208") theme = ExtResource("4_hm208")
text = "PROJECT text = "PROJECT
PROMISCUOUS" PROMISCUOUS"
horizontal_alignment = 1 horizontal_alignment = 1
[node name="TitleSpacer" type="Control" parent="MarginContainer/CenterContainer/ContentVBox"] [node name="TitleSpacer" type="Control" parent="MarginContainer/CenterContainer/ContentVBox"]
custom_minimum_size = Vector2(0, 40) custom_minimum_size = Vector2(0, 40)
layout_mode = 2 layout_mode = 2
[node name="VBoxContainer" type="VBoxContainer" parent="MarginContainer/CenterContainer/ContentVBox"] [node name="VBoxContainer" type="VBoxContainer" parent="MarginContainer/CenterContainer/ContentVBox"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 8 size_flags_vertical = 8
theme_override_constants/separation = 6 theme_override_constants/separation = 6
[node name="LogInButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"] [node name="LogInButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme = ExtResource("1_tx5wa") theme = ExtResource("1_tx5wa")
text = "LOG IN" text = "LOG IN"
[node name="StartButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"] [node name="StartButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme = ExtResource("1_tx5wa") theme = ExtResource("1_tx5wa")
text = "START" text = "START"
[node name="SettingsButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"] [node name="SettingsButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme = ExtResource("1_tx5wa") theme = ExtResource("1_tx5wa")
text = "SETTINGS" text = "SETTINGS"
[node name="QuitButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"] [node name="QuitButton" type="Button" parent="MarginContainer/CenterContainer/ContentVBox/VBoxContainer"]
layout_mode = 2 layout_mode = 2
size_flags_horizontal = 4 size_flags_horizontal = 4
size_flags_vertical = 4 size_flags_vertical = 4
theme = ExtResource("1_tx5wa") theme = ExtResource("1_tx5wa")
text = "QUIT" text = "QUIT"
[node name="LogoutRequest" type="HTTPRequest" parent="."] [node name="LogoutRequest" type="HTTPRequest" parent="."]
unique_name_in_owner = true unique_name_in_owner = true
[connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/LogInButton" to="." method="_on_log_in_button_pressed"] [connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/LogInButton" to="." method="_on_log_in_button_pressed"]
[connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/StartButton" to="." method="_on_start_button_pressed"] [connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/StartButton" to="." method="_on_start_button_pressed"]
[connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/SettingsButton" to="." method="_on_settings_button_pressed"] [connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/SettingsButton" to="." method="_on_settings_button_pressed"]
[connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/QuitButton" to="." method="_on_quit_button_pressed"] [connection signal="pressed" from="MarginContainer/CenterContainer/ContentVBox/VBoxContainer/QuitButton" to="." method="_on_quit_button_pressed"]
[connection signal="request_completed" from="LogoutRequest" to="." method="_on_logout_request_completed"] [connection signal="request_completed" from="LogoutRequest" to="." method="_on_logout_request_completed"]

View File

@ -1,21 +1,21 @@
[gd_scene load_steps=4 format=3 uid="uid://c5of6aaxop1hl"] [gd_scene load_steps=4 format=3 uid="uid://c5of6aaxop1hl"]
[sub_resource type="BoxShape3D" id="BoxShape3D_4du60"] [sub_resource type="BoxShape3D" id="BoxShape3D_4du60"]
[sub_resource type="StandardMaterial3D" id="StandardMaterial3D_alp5v"] [sub_resource type="StandardMaterial3D" id="StandardMaterial3D_alp5v"]
albedo_color = Color(0.290196, 0.698039, 0.227451, 1) albedo_color = Color(0.290196, 0.698039, 0.227451, 1)
[sub_resource type="BoxMesh" id="BoxMesh_kryjk"] [sub_resource type="BoxMesh" id="BoxMesh_kryjk"]
material = SubResource("StandardMaterial3D_alp5v") material = SubResource("StandardMaterial3D_alp5v")
[node name="Block" type="Node3D"] [node name="Block" type="Node3D"]
[node name="RigidBody3D" type="RigidBody3D" parent="."] [node name="RigidBody3D" type="RigidBody3D" parent="."]
collision_layer = 3 collision_layer = 3
collision_mask = 3 collision_mask = 3
[node name="CollisionShape3D" type="CollisionShape3D" parent="RigidBody3D"] [node name="CollisionShape3D" type="CollisionShape3D" parent="RigidBody3D"]
shape = SubResource("BoxShape3D_4du60") shape = SubResource("BoxShape3D_4du60")
[node name="MeshInstance3D" type="MeshInstance3D" parent="RigidBody3D"] [node name="MeshInstance3D" type="MeshInstance3D" parent="RigidBody3D"]
mesh = SubResource("BoxMesh_kryjk") mesh = SubResource("BoxMesh_kryjk")

View File

@ -1,154 +1,154 @@
extends RigidBody3D extends RigidBody3D
# Initially I used a CharacterBody3D, however, I wanted the player to bounce off # Initially I used a CharacterBody3D, however, I wanted the player to bounce off
# other objects in the environment and that would have required manual handling # other objects in the environment and that would have required manual handling
# of collisions. So that's why we're using a RigidBody3D instead. # of collisions. So that's why we're using a RigidBody3D instead.
const MOVE_SPEED := 8.0 const MOVE_SPEED := 8.0
const ACCELLERATION := 30.0 const ACCELLERATION := 30.0
const DECELLERATION := 40.0 const DECELLERATION := 40.0
const JUMP_SPEED := 4.0 const JUMP_SPEED := 4.0
const MAX_NUMBER_OF_JUMPS := 2 const MAX_NUMBER_OF_JUMPS := 2
const MIN_FOV := 10 const MIN_FOV := 10
const MAX_FOV := 180 const MAX_FOV := 180
const ZOOM_FACTOR := 1.1 # Zoom out when >1, in when < 1 const ZOOM_FACTOR := 1.1 # Zoom out when >1, in when < 1
var mouse_sensitivity := 0.005 var mouse_sensitivity := 0.005
var rotation_x := 0.0 var rotation_x := 0.0
var rotation_y := 0.0 var rotation_y := 0.0
var cameraMoveMode := false var cameraMoveMode := false
var current_number_of_jumps := 0 var current_number_of_jumps := 0
var _pending_mouse_delta := Vector2.ZERO var _pending_mouse_delta := Vector2.ZERO
var _last_move_forward := Vector3(0, 0, 1) var _last_move_forward := Vector3(0, 0, 1)
var _last_move_right := Vector3(1, 0, 0) var _last_move_right := Vector3(1, 0, 0)
var _camera_offset_local := Vector3.ZERO var _camera_offset_local := Vector3.ZERO
var _camera_yaw := 0.0 var _camera_yaw := 0.0
var _camera_pitch := 0.0 var _camera_pitch := 0.0
@export var camera_follow_speed := 10.0 @export var camera_follow_speed := 10.0
var jump_sound = preload("res://assets/audio/jump.ogg") var jump_sound = preload("res://assets/audio/jump.ogg")
var audio_player = AudioStreamPlayer.new() var audio_player = AudioStreamPlayer.new()
@export var camera_path: NodePath @export var camera_path: NodePath
@onready var cam: Camera3D = get_node(camera_path) if camera_path != NodePath("") else null @onready var cam: Camera3D = get_node(camera_path) if camera_path != NodePath("") else null
@export var phone_path: NodePath @export var phone_path: NodePath
@onready var phone: CanvasLayer = get_node(phone_path) if phone_path != NodePath("") else null @onready var phone: CanvasLayer = get_node(phone_path) if phone_path != NodePath("") else null
var phone_visible := false var phone_visible := false
func _ready() -> void: func _ready() -> void:
axis_lock_angular_x = true axis_lock_angular_x = true
axis_lock_angular_z = true axis_lock_angular_z = true
angular_damp = 6.0 angular_damp = 6.0
contact_monitor = true contact_monitor = true
max_contacts_reported = 4 max_contacts_reported = 4
add_child(audio_player) add_child(audio_player)
audio_player.stream = jump_sound audio_player.stream = jump_sound
audio_player.volume_db = -20 audio_player.volume_db = -20
if cam: if cam:
_camera_offset_local = cam.transform.origin _camera_offset_local = cam.transform.origin
_camera_pitch = cam.rotation.x _camera_pitch = cam.rotation.x
_camera_yaw = global_transform.basis.get_euler().y _camera_yaw = global_transform.basis.get_euler().y
cam.set_as_top_level(true) cam.set_as_top_level(true)
cam.global_position = global_position + (Basis(Vector3.UP, _camera_yaw) * _camera_offset_local) cam.global_position = global_position + (Basis(Vector3.UP, _camera_yaw) * _camera_offset_local)
cam.global_rotation = Vector3(_camera_pitch, _camera_yaw, 0.0) cam.global_rotation = Vector3(_camera_pitch, _camera_yaw, 0.0)
var move_basis := cam.global_transform.basis if cam else global_transform.basis var move_basis := cam.global_transform.basis if cam else global_transform.basis
var forward := move_basis.z var forward := move_basis.z
var right := move_basis.x var right := move_basis.x
forward.y = 0.0 forward.y = 0.0
right.y = 0.0 right.y = 0.0
if forward.length() > 0.0001: if forward.length() > 0.0001:
_last_move_forward = forward.normalized() _last_move_forward = forward.normalized()
if right.length() > 0.0001: if right.length() > 0.0001:
_last_move_right = right.normalized() _last_move_right = right.normalized()
func _integrate_forces(state): func _integrate_forces(state):
if cameraMoveMode and _pending_mouse_delta != Vector2.ZERO: if cameraMoveMode and _pending_mouse_delta != Vector2.ZERO:
rotation_x -= _pending_mouse_delta.y * mouse_sensitivity rotation_x -= _pending_mouse_delta.y * mouse_sensitivity
rotation_y -= _pending_mouse_delta.x * mouse_sensitivity rotation_y -= _pending_mouse_delta.x * mouse_sensitivity
rotation_x = clamp(rotation_x, deg_to_rad(-90), deg_to_rad(90)) # Prevent flipping rotation_x = clamp(rotation_x, deg_to_rad(-90), deg_to_rad(90)) # Prevent flipping
_camera_pitch = rotation_x _camera_pitch = rotation_x
rotation.y = rotation_y rotation.y = rotation_y
_pending_mouse_delta = Vector2.ZERO _pending_mouse_delta = Vector2.ZERO
# Input as 2D vector # Input as 2D vector
var input2v := Input.get_vector("ui_left", "ui_right", "ui_up", "ui_down") var input2v := Input.get_vector("ui_left", "ui_right", "ui_up", "ui_down")
if Input.is_action_just_pressed("player_phone"): if Input.is_action_just_pressed("player_phone"):
phone_visible = !phone_visible phone_visible = !phone_visible
if phone: if phone:
phone.visible = phone_visible phone.visible = phone_visible
# Camera based movement # Camera based movement
var forward := Vector3.FORWARD * -1.0 var forward := Vector3.FORWARD * -1.0
var right := Vector3.RIGHT var right := Vector3.RIGHT
if cam: if cam:
forward = cam.global_transform.basis.z forward = cam.global_transform.basis.z
right = cam.global_transform.basis.x right = cam.global_transform.basis.x
# Project onto ground plane so looking up/down doesn't kill movement. # Project onto ground plane so looking up/down doesn't kill movement.
forward.y = 0.0 forward.y = 0.0
right.y = 0.0 right.y = 0.0
if forward.length() > 0.0001: if forward.length() > 0.0001:
forward = forward.normalized() forward = forward.normalized()
_last_move_forward = forward _last_move_forward = forward
else: else:
forward = _last_move_forward forward = _last_move_forward
if right.length() > 0.0001: if right.length() > 0.0001:
right = right.normalized() right = right.normalized()
_last_move_right = right _last_move_right = right
else: else:
right = _last_move_right right = _last_move_right
var dir := (right * input2v.x + forward * input2v.y).normalized() var dir := (right * input2v.x + forward * input2v.y).normalized()
var target_v := dir * MOVE_SPEED var target_v := dir * MOVE_SPEED
var ax := ACCELLERATION if dir != Vector3.ZERO else DECELLERATION var ax := ACCELLERATION if dir != Vector3.ZERO else DECELLERATION
linear_velocity.x = move_toward(linear_velocity.x, target_v.x, ax * state.step) linear_velocity.x = move_toward(linear_velocity.x, target_v.x, ax * state.step)
linear_velocity.z = move_toward(linear_velocity.z, target_v.z, ax * state.step) linear_velocity.z = move_toward(linear_velocity.z, target_v.z, ax * state.step)
# Jump Logic # Jump Logic
var on_floor = false var on_floor = false
for i in state.get_contact_count(): for i in state.get_contact_count():
var normal = state.get_contact_local_normal(i) var normal = state.get_contact_local_normal(i)
if normal.y > 0.5: if normal.y > 0.5:
on_floor = true on_floor = true
break break
if Input.is_action_just_pressed("ui_accept") and (on_floor or current_number_of_jumps == 1): if Input.is_action_just_pressed("ui_accept") and (on_floor or current_number_of_jumps == 1):
current_number_of_jumps = (current_number_of_jumps + 1) % 2 current_number_of_jumps = (current_number_of_jumps + 1) % 2
linear_velocity.y = JUMP_SPEED linear_velocity.y = JUMP_SPEED
audio_player.play() audio_player.play()
if cam: if cam:
var target_yaw := global_transform.basis.get_euler().y var target_yaw := global_transform.basis.get_euler().y
_camera_yaw = lerp_angle(_camera_yaw, target_yaw, camera_follow_speed * state.step) _camera_yaw = lerp_angle(_camera_yaw, target_yaw, camera_follow_speed * state.step)
var target_basis := Basis(Vector3.UP, _camera_yaw) var target_basis := Basis(Vector3.UP, _camera_yaw)
var target_pos := global_position + (target_basis * _camera_offset_local) var target_pos := global_position + (target_basis * _camera_offset_local)
cam.global_position = cam.global_position.lerp(target_pos, camera_follow_speed * state.step) cam.global_position = cam.global_position.lerp(target_pos, camera_follow_speed * state.step)
cam.global_rotation = Vector3(_camera_pitch, _camera_yaw, 0.0) cam.global_rotation = Vector3(_camera_pitch, _camera_yaw, 0.0)
func _input(event): func _input(event):
if event is InputEventMouseButton: if event is InputEventMouseButton:
if event.button_index == MOUSE_BUTTON_MIDDLE: if event.button_index == MOUSE_BUTTON_MIDDLE:
if event.pressed: if event.pressed:
cameraMoveMode = true cameraMoveMode = true
Input.set_mouse_mode(Input.MOUSE_MODE_CAPTURED) Input.set_mouse_mode(Input.MOUSE_MODE_CAPTURED)
else: else:
cameraMoveMode = false cameraMoveMode = false
Input.set_mouse_mode(Input.MOUSE_MODE_VISIBLE) Input.set_mouse_mode(Input.MOUSE_MODE_VISIBLE)
if event is InputEventMouseMotion and cameraMoveMode: if event is InputEventMouseMotion and cameraMoveMode:
_pending_mouse_delta += event.relative _pending_mouse_delta += event.relative
if event is InputEventMouseButton and event.pressed: if event is InputEventMouseButton and event.pressed:
if event.button_index == MOUSE_BUTTON_WHEEL_UP: if event.button_index == MOUSE_BUTTON_WHEEL_UP:
zoom_camera(1.0 / ZOOM_FACTOR) # Zoom in zoom_camera(1.0 / ZOOM_FACTOR) # Zoom in
elif event.button_index == MOUSE_BUTTON_WHEEL_DOWN: elif event.button_index == MOUSE_BUTTON_WHEEL_DOWN:
zoom_camera(ZOOM_FACTOR) # Zoom out zoom_camera(ZOOM_FACTOR) # Zoom out
if event.is_action_pressed("player_light"): if event.is_action_pressed("player_light"):
$SpotLight3D.visible = !$SpotLight3D.visible $SpotLight3D.visible = !$SpotLight3D.visible
func zoom_camera(factor): func zoom_camera(factor):
var new_fov = cam.fov * factor var new_fov = cam.fov * factor
cam.fov = clamp(new_fov, MIN_FOV, MAX_FOV) cam.fov = clamp(new_fov, MIN_FOV, MAX_FOV)

View File

@ -1 +1 @@
uid://bpxggc8nr6tf6 uid://bpxggc8nr6tf6

View File

@ -1,39 +1,39 @@
[gd_resource type="Theme" load_steps=7 format=3 uid="uid://wpxmub0n2dr3"] [gd_resource type="Theme" load_steps=7 format=3 uid="uid://wpxmub0n2dr3"]
[ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="1_qnv5y"] [ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="1_qnv5y"]
[sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_kwhvy"] [sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_kwhvy"]
[sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_bpa63"] [sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_bpa63"]
[sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_6abfs"] [sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_6abfs"]
[sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_hguu3"] [sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_hguu3"]
[sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_wu4fv"] [sub_resource type="StyleBoxEmpty" id="StyleBoxEmpty_wu4fv"]
[resource] [resource]
Button/colors/font_color = Color(0.875, 0.875, 0.875, 1) Button/colors/font_color = Color(0.875, 0.875, 0.875, 1)
Button/colors/font_disabled_color = Color(0.875, 0.875, 0.875, 0.5) Button/colors/font_disabled_color = Color(0.875, 0.875, 0.875, 0.5)
Button/colors/font_focus_color = Color(0.95, 0.95, 0.95, 1) Button/colors/font_focus_color = Color(0.95, 0.95, 0.95, 1)
Button/colors/font_hover_color = Color(0.95, 0.95, 0.95, 1) Button/colors/font_hover_color = Color(0.95, 0.95, 0.95, 1)
Button/colors/font_hover_pressed_color = Color(1, 1, 1, 1) Button/colors/font_hover_pressed_color = Color(1, 1, 1, 1)
Button/colors/font_outline_color = Color(8.834152, 8.190666, 9.316767, 1) Button/colors/font_outline_color = Color(8.834152, 8.190666, 9.316767, 1)
Button/colors/font_pressed_color = Color(1, 1, 1, 1) Button/colors/font_pressed_color = Color(1, 1, 1, 1)
Button/colors/icon_disabled_color = Color(1, 1, 1, 0.4) Button/colors/icon_disabled_color = Color(1, 1, 1, 0.4)
Button/colors/icon_focus_color = Color(1, 1, 1, 1) Button/colors/icon_focus_color = Color(1, 1, 1, 1)
Button/colors/icon_hover_color = Color(1, 1, 1, 1) Button/colors/icon_hover_color = Color(1, 1, 1, 1)
Button/colors/icon_hover_pressed_color = Color(1, 1, 1, 1) Button/colors/icon_hover_pressed_color = Color(1, 1, 1, 1)
Button/colors/icon_normal_color = Color(1, 1, 1, 1) Button/colors/icon_normal_color = Color(1, 1, 1, 1)
Button/colors/icon_pressed_color = Color(1, 1, 1, 1) Button/colors/icon_pressed_color = Color(1, 1, 1, 1)
Button/constants/align_to_largest_stylebox = 0 Button/constants/align_to_largest_stylebox = 0
Button/constants/h_separation = 4 Button/constants/h_separation = 4
Button/constants/icon_max_width = 0 Button/constants/icon_max_width = 0
Button/constants/outline_size = 0 Button/constants/outline_size = 0
Button/font_sizes/font_size = 32 Button/font_sizes/font_size = 32
Button/fonts/font = ExtResource("1_qnv5y") Button/fonts/font = ExtResource("1_qnv5y")
Button/styles/disabled = SubResource("StyleBoxEmpty_kwhvy") Button/styles/disabled = SubResource("StyleBoxEmpty_kwhvy")
Button/styles/focus = SubResource("StyleBoxEmpty_bpa63") Button/styles/focus = SubResource("StyleBoxEmpty_bpa63")
Button/styles/hover = SubResource("StyleBoxEmpty_6abfs") Button/styles/hover = SubResource("StyleBoxEmpty_6abfs")
Button/styles/normal = SubResource("StyleBoxEmpty_hguu3") Button/styles/normal = SubResource("StyleBoxEmpty_hguu3")
Button/styles/pressed = SubResource("StyleBoxEmpty_wu4fv") Button/styles/pressed = SubResource("StyleBoxEmpty_wu4fv")

View File

@ -1,7 +1,7 @@
[gd_resource type="Theme" load_steps=2 format=3 uid="uid://tn8qndst18d6"] [gd_resource type="Theme" load_steps=2 format=3 uid="uid://tn8qndst18d6"]
[ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="1_vd7w8"] [ext_resource type="FontFile" uid="uid://m5ceou0rk6j6" path="res://assets/fonts/PlayfairDisplay-VariableFont_wght.ttf" id="1_vd7w8"]
[resource] [resource]
Label/font_sizes/font_size = 60 Label/font_sizes/font_size = 60
Label/fonts/font = ExtResource("1_vd7w8") Label/fonts/font = ExtResource("1_vd7w8")

View File

@ -1,428 +1,428 @@
## Ignore Visual Studio temporary files, build results, and ## Ignore Visual Studio temporary files, build results, and
## files generated by popular Visual Studio add-ons. ## files generated by popular Visual Studio add-ons.
## ##
## Get latest from https://github.com/github/gitignore/blob/main/VisualStudio.gitignore ## Get latest from https://github.com/github/gitignore/blob/main/VisualStudio.gitignore
# User-specific files # User-specific files
*.rsuser *.rsuser
*.suo *.suo
*.user *.user
*.userosscache *.userosscache
*.sln.docstates *.sln.docstates
*.env *.env
# User-specific files (MonoDevelop/Xamarin Studio) # User-specific files (MonoDevelop/Xamarin Studio)
*.userprefs *.userprefs
# Mono auto generated files # Mono auto generated files
mono_crash.* mono_crash.*
# Build results # Build results
[Dd]ebug/ [Dd]ebug/
[Dd]ebugPublic/ [Dd]ebugPublic/
[Rr]elease/ [Rr]elease/
[Rr]eleases/ [Rr]eleases/
[Dd]ebug/x64/ [Dd]ebug/x64/
[Dd]ebugPublic/x64/ [Dd]ebugPublic/x64/
[Rr]elease/x64/ [Rr]elease/x64/
[Rr]eleases/x64/ [Rr]eleases/x64/
bin/x64/ bin/x64/
obj/x64/ obj/x64/
[Dd]ebug/x86/ [Dd]ebug/x86/
[Dd]ebugPublic/x86/ [Dd]ebugPublic/x86/
[Rr]elease/x86/ [Rr]elease/x86/
[Rr]eleases/x86/ [Rr]eleases/x86/
bin/x86/ bin/x86/
obj/x86/ obj/x86/
[Ww][Ii][Nn]32/ [Ww][Ii][Nn]32/
[Aa][Rr][Mm]/ [Aa][Rr][Mm]/
[Aa][Rr][Mm]64/ [Aa][Rr][Mm]64/
[Aa][Rr][Mm]64[Ee][Cc]/ [Aa][Rr][Mm]64[Ee][Cc]/
bld/ bld/
[Oo]bj/ [Oo]bj/
[Oo]ut/ [Oo]ut/
[Ll]og/ [Ll]og/
[Ll]ogs/ [Ll]ogs/
# Build results on 'Bin' directories # Build results on 'Bin' directories
**/[Bb]in/* **/[Bb]in/*
# Uncomment if you have tasks that rely on *.refresh files to move binaries # Uncomment if you have tasks that rely on *.refresh files to move binaries
# (https://github.com/github/gitignore/pull/3736) # (https://github.com/github/gitignore/pull/3736)
#!**/[Bb]in/*.refresh #!**/[Bb]in/*.refresh
# Visual Studio 2015/2017 cache/options directory # Visual Studio 2015/2017 cache/options directory
.vs/ .vs/
# Uncomment if you have tasks that create the project's static files in wwwroot # Uncomment if you have tasks that create the project's static files in wwwroot
#wwwroot/ #wwwroot/
# Visual Studio 2017 auto generated files # Visual Studio 2017 auto generated files
Generated\ Files/ Generated\ Files/
# MSTest test Results # MSTest test Results
[Tt]est[Rr]esult*/ [Tt]est[Rr]esult*/
[Bb]uild[Ll]og.* [Bb]uild[Ll]og.*
*.trx *.trx
# NUnit # NUnit
*.VisualState.xml *.VisualState.xml
TestResult.xml TestResult.xml
nunit-*.xml nunit-*.xml
# Approval Tests result files # Approval Tests result files
*.received.* *.received.*
# Build Results of an ATL Project # Build Results of an ATL Project
[Dd]ebugPS/ [Dd]ebugPS/
[Rr]eleasePS/ [Rr]eleasePS/
dlldata.c dlldata.c
# Benchmark Results # Benchmark Results
BenchmarkDotNet.Artifacts/ BenchmarkDotNet.Artifacts/
# .NET Core # .NET Core
project.lock.json project.lock.json
project.fragment.lock.json project.fragment.lock.json
artifacts/ artifacts/
# ASP.NET Scaffolding # ASP.NET Scaffolding
ScaffoldingReadMe.txt ScaffoldingReadMe.txt
# StyleCop # StyleCop
StyleCopReport.xml StyleCopReport.xml
# Files built by Visual Studio # Files built by Visual Studio
*_i.c *_i.c
*_p.c *_p.c
*_h.h *_h.h
*.ilk *.ilk
*.meta *.meta
*.obj *.obj
*.idb *.idb
*.iobj *.iobj
*.pch *.pch
*.pdb *.pdb
*.ipdb *.ipdb
*.pgc *.pgc
*.pgd *.pgd
*.rsp *.rsp
# but not Directory.Build.rsp, as it configures directory-level build defaults # but not Directory.Build.rsp, as it configures directory-level build defaults
!Directory.Build.rsp !Directory.Build.rsp
*.sbr *.sbr
*.tlb *.tlb
*.tli *.tli
*.tlh *.tlh
*.tmp *.tmp
*.tmp_proj *.tmp_proj
*_wpftmp.csproj *_wpftmp.csproj
*.log *.log
*.tlog *.tlog
*.vspscc *.vspscc
*.vssscc *.vssscc
.builds .builds
*.pidb *.pidb
*.svclog *.svclog
*.scc *.scc
# Chutzpah Test files # Chutzpah Test files
_Chutzpah* _Chutzpah*
# Visual C++ cache files # Visual C++ cache files
ipch/ ipch/
*.aps *.aps
*.ncb *.ncb
*.opendb *.opendb
*.opensdf *.opensdf
*.sdf *.sdf
*.cachefile *.cachefile
*.VC.db *.VC.db
*.VC.VC.opendb *.VC.VC.opendb
# Visual Studio profiler # Visual Studio profiler
*.psess *.psess
*.vsp *.vsp
*.vspx *.vspx
*.sap *.sap
# Visual Studio Trace Files # Visual Studio Trace Files
*.e2e *.e2e
# TFS 2012 Local Workspace # TFS 2012 Local Workspace
$tf/ $tf/
# Guidance Automation Toolkit # Guidance Automation Toolkit
*.gpState *.gpState
# ReSharper is a .NET coding add-in # ReSharper is a .NET coding add-in
_ReSharper*/ _ReSharper*/
*.[Rr]e[Ss]harper *.[Rr]e[Ss]harper
*.DotSettings.user *.DotSettings.user
# TeamCity is a build add-in # TeamCity is a build add-in
_TeamCity* _TeamCity*
# DotCover is a Code Coverage Tool # DotCover is a Code Coverage Tool
*.dotCover *.dotCover
# AxoCover is a Code Coverage Tool # AxoCover is a Code Coverage Tool
.axoCover/* .axoCover/*
!.axoCover/settings.json !.axoCover/settings.json
# Coverlet is a free, cross platform Code Coverage Tool # Coverlet is a free, cross platform Code Coverage Tool
coverage*.json coverage*.json
coverage*.xml coverage*.xml
coverage*.info coverage*.info
# Visual Studio code coverage results # Visual Studio code coverage results
*.coverage *.coverage
*.coveragexml *.coveragexml
# NCrunch # NCrunch
_NCrunch_* _NCrunch_*
.NCrunch_* .NCrunch_*
.*crunch*.local.xml .*crunch*.local.xml
nCrunchTemp_* nCrunchTemp_*
# MightyMoose # MightyMoose
*.mm.* *.mm.*
AutoTest.Net/ AutoTest.Net/
# Web workbench (sass) # Web workbench (sass)
.sass-cache/ .sass-cache/
# Installshield output folder # Installshield output folder
[Ee]xpress/ [Ee]xpress/
# DocProject is a documentation generator add-in # DocProject is a documentation generator add-in
DocProject/buildhelp/ DocProject/buildhelp/
DocProject/Help/*.HxT DocProject/Help/*.HxT
DocProject/Help/*.HxC DocProject/Help/*.HxC
DocProject/Help/*.hhc DocProject/Help/*.hhc
DocProject/Help/*.hhk DocProject/Help/*.hhk
DocProject/Help/*.hhp DocProject/Help/*.hhp
DocProject/Help/Html2 DocProject/Help/Html2
DocProject/Help/html DocProject/Help/html
# Click-Once directory # Click-Once directory
publish/ publish/
# Publish Web Output # Publish Web Output
*.[Pp]ublish.xml *.[Pp]ublish.xml
*.azurePubxml *.azurePubxml
# Note: Comment the next line if you want to checkin your web deploy settings, # Note: Comment the next line if you want to checkin your web deploy settings,
# but database connection strings (with potential passwords) will be unencrypted # but database connection strings (with potential passwords) will be unencrypted
*.pubxml *.pubxml
*.publishproj *.publishproj
# Microsoft Azure Web App publish settings. Comment the next line if you want to # Microsoft Azure Web App publish settings. Comment the next line if you want to
# checkin your Azure Web App publish settings, but sensitive information contained # checkin your Azure Web App publish settings, but sensitive information contained
# in these scripts will be unencrypted # in these scripts will be unencrypted
PublishScripts/ PublishScripts/
# NuGet Packages # NuGet Packages
*.nupkg *.nupkg
# NuGet Symbol Packages # NuGet Symbol Packages
*.snupkg *.snupkg
# The packages folder can be ignored because of Package Restore # The packages folder can be ignored because of Package Restore
**/[Pp]ackages/* **/[Pp]ackages/*
# except build/, which is used as an MSBuild target. # except build/, which is used as an MSBuild target.
!**/[Pp]ackages/build/ !**/[Pp]ackages/build/
# Uncomment if necessary however generally it will be regenerated when needed # Uncomment if necessary however generally it will be regenerated when needed
#!**/[Pp]ackages/repositories.config #!**/[Pp]ackages/repositories.config
# NuGet v3's project.json files produces more ignorable files # NuGet v3's project.json files produces more ignorable files
*.nuget.props *.nuget.props
*.nuget.targets *.nuget.targets
# Microsoft Azure Build Output # Microsoft Azure Build Output
csx/ csx/
*.build.csdef *.build.csdef
# Microsoft Azure Emulator # Microsoft Azure Emulator
ecf/ ecf/
rcf/ rcf/
# Windows Store app package directories and files # Windows Store app package directories and files
AppPackages/ AppPackages/
BundleArtifacts/ BundleArtifacts/
Package.StoreAssociation.xml Package.StoreAssociation.xml
_pkginfo.txt _pkginfo.txt
*.appx *.appx
*.appxbundle *.appxbundle
*.appxupload *.appxupload
# Visual Studio cache files # Visual Studio cache files
# files ending in .cache can be ignored # files ending in .cache can be ignored
*.[Cc]ache *.[Cc]ache
# but keep track of directories ending in .cache # but keep track of directories ending in .cache
!?*.[Cc]ache/ !?*.[Cc]ache/
# Others # Others
ClientBin/ ClientBin/
~$* ~$*
*~ *~
*.dbmdl *.dbmdl
*.dbproj.schemaview *.dbproj.schemaview
*.jfm *.jfm
*.pfx *.pfx
*.publishsettings *.publishsettings
orleans.codegen.cs orleans.codegen.cs
# Including strong name files can present a security risk # Including strong name files can present a security risk
# (https://github.com/github/gitignore/pull/2483#issue-259490424) # (https://github.com/github/gitignore/pull/2483#issue-259490424)
#*.snk #*.snk
# Since there are multiple workflows, uncomment next line to ignore bower_components # Since there are multiple workflows, uncomment next line to ignore bower_components
# (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) # (https://github.com/github/gitignore/pull/1529#issuecomment-104372622)
#bower_components/ #bower_components/
# RIA/Silverlight projects # RIA/Silverlight projects
Generated_Code/ Generated_Code/
# Backup & report files from converting an old project file # Backup & report files from converting an old project file
# to a newer Visual Studio version. Backup files are not needed, # to a newer Visual Studio version. Backup files are not needed,
# because we have git ;-) # because we have git ;-)
_UpgradeReport_Files/ _UpgradeReport_Files/
Backup*/ Backup*/
UpgradeLog*.XML UpgradeLog*.XML
UpgradeLog*.htm UpgradeLog*.htm
ServiceFabricBackup/ ServiceFabricBackup/
*.rptproj.bak *.rptproj.bak
# SQL Server files # SQL Server files
*.mdf *.mdf
*.ldf *.ldf
*.ndf *.ndf
# Business Intelligence projects # Business Intelligence projects
*.rdl.data *.rdl.data
*.bim.layout *.bim.layout
*.bim_*.settings *.bim_*.settings
*.rptproj.rsuser *.rptproj.rsuser
*- [Bb]ackup.rdl *- [Bb]ackup.rdl
*- [Bb]ackup ([0-9]).rdl *- [Bb]ackup ([0-9]).rdl
*- [Bb]ackup ([0-9][0-9]).rdl *- [Bb]ackup ([0-9][0-9]).rdl
# Microsoft Fakes # Microsoft Fakes
FakesAssemblies/ FakesAssemblies/
# GhostDoc plugin setting file # GhostDoc plugin setting file
*.GhostDoc.xml *.GhostDoc.xml
# Node.js Tools for Visual Studio # Node.js Tools for Visual Studio
.ntvs_analysis.dat .ntvs_analysis.dat
node_modules/ node_modules/
# Visual Studio 6 build log # Visual Studio 6 build log
*.plg *.plg
# Visual Studio 6 workspace options file # Visual Studio 6 workspace options file
*.opt *.opt
# Visual Studio 6 auto-generated workspace file (contains which files were open etc.) # Visual Studio 6 auto-generated workspace file (contains which files were open etc.)
*.vbw *.vbw
# Visual Studio 6 workspace and project file (working project files containing files to include in project) # Visual Studio 6 workspace and project file (working project files containing files to include in project)
*.dsw *.dsw
*.dsp *.dsp
# Visual Studio 6 technical files # Visual Studio 6 technical files
*.ncb *.ncb
*.aps *.aps
# Visual Studio LightSwitch build output # Visual Studio LightSwitch build output
**/*.HTMLClient/GeneratedArtifacts **/*.HTMLClient/GeneratedArtifacts
**/*.DesktopClient/GeneratedArtifacts **/*.DesktopClient/GeneratedArtifacts
**/*.DesktopClient/ModelManifest.xml **/*.DesktopClient/ModelManifest.xml
**/*.Server/GeneratedArtifacts **/*.Server/GeneratedArtifacts
**/*.Server/ModelManifest.xml **/*.Server/ModelManifest.xml
_Pvt_Extensions _Pvt_Extensions
# Paket dependency manager # Paket dependency manager
**/.paket/paket.exe **/.paket/paket.exe
paket-files/ paket-files/
# FAKE - F# Make # FAKE - F# Make
**/.fake/ **/.fake/
# CodeRush personal settings # CodeRush personal settings
**/.cr/personal **/.cr/personal
# Python Tools for Visual Studio (PTVS) # Python Tools for Visual Studio (PTVS)
**/__pycache__/ **/__pycache__/
*.pyc *.pyc
# Cake - Uncomment if you are using it # Cake - Uncomment if you are using it
#tools/** #tools/**
#!tools/packages.config #!tools/packages.config
# Tabs Studio # Tabs Studio
*.tss *.tss
# Telerik's JustMock configuration file # Telerik's JustMock configuration file
*.jmconfig *.jmconfig
# BizTalk build output # BizTalk build output
*.btp.cs *.btp.cs
*.btm.cs *.btm.cs
*.odx.cs *.odx.cs
*.xsd.cs *.xsd.cs
# OpenCover UI analysis results # OpenCover UI analysis results
OpenCover/ OpenCover/
# Azure Stream Analytics local run output # Azure Stream Analytics local run output
ASALocalRun/ ASALocalRun/
# MSBuild Binary and Structured Log # MSBuild Binary and Structured Log
*.binlog *.binlog
MSBuild_Logs/ MSBuild_Logs/
# AWS SAM Build and Temporary Artifacts folder # AWS SAM Build and Temporary Artifacts folder
.aws-sam .aws-sam
# NVidia Nsight GPU debugger configuration file # NVidia Nsight GPU debugger configuration file
*.nvuser *.nvuser
# MFractors (Xamarin productivity tool) working folder # MFractors (Xamarin productivity tool) working folder
**/.mfractor/ **/.mfractor/
# Local History for Visual Studio # Local History for Visual Studio
**/.localhistory/ **/.localhistory/
# Visual Studio History (VSHistory) files # Visual Studio History (VSHistory) files
.vshistory/ .vshistory/
# BeatPulse healthcheck temp database # BeatPulse healthcheck temp database
healthchecksdb healthchecksdb
# Backup folder for Package Reference Convert tool in Visual Studio 2017 # Backup folder for Package Reference Convert tool in Visual Studio 2017
MigrationBackup/ MigrationBackup/
# Ionide (cross platform F# VS Code tools) working folder # Ionide (cross platform F# VS Code tools) working folder
**/.ionide/ **/.ionide/
# Fody - auto-generated XML schema # Fody - auto-generated XML schema
FodyWeavers.xsd FodyWeavers.xsd
# VS Code files for those working on multiple tools # VS Code files for those working on multiple tools
.vscode/* .vscode/*
!.vscode/settings.json !.vscode/settings.json
!.vscode/tasks.json !.vscode/tasks.json
!.vscode/launch.json !.vscode/launch.json
!.vscode/extensions.json !.vscode/extensions.json
!.vscode/*.code-snippets !.vscode/*.code-snippets
# Local History for Visual Studio Code # Local History for Visual Studio Code
.history/ .history/
# Built Visual Studio Code Extensions # Built Visual Studio Code Extensions
*.vsix *.vsix
# Windows Installer files from build outputs # Windows Installer files from build outputs
*.cab *.cab
*.msi *.msi
*.msix *.msix
*.msm *.msm
*.msp *.msp

View File

@ -1,17 +1,17 @@
<Project Sdk="Microsoft.NET.Sdk.Web"> <Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup> <PropertyGroup>
<TargetFramework>net8.0</TargetFramework> <TargetFramework>net8.0</TargetFramework>
<Nullable>enable</Nullable> <Nullable>enable</Nullable>
<ImplicitUsings>enable</ImplicitUsings> <ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Bcrypt.Net-Next" Version="4.0.3" /> <PackageReference Include="Bcrypt.Net-Next" Version="4.0.3" />
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="8.0.8" /> <PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="8.0.8" />
<PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="8.0.8" /> <PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="8.0.8" />
<PackageReference Include="MongoDB.Driver" Version="3.4.3" /> <PackageReference Include="MongoDB.Driver" Version="3.4.3" />
<PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" /> <PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" />
</ItemGroup> </ItemGroup>
</Project> </Project>

View File

@ -1,6 +1,6 @@
<?xml version="1.0" encoding="utf-8"?> <?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="Current" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> <Project ToolsVersion="Current" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup> <PropertyGroup>
<ActiveDebugProfile>https</ActiveDebugProfile> <ActiveDebugProfile>https</ActiveDebugProfile>
</PropertyGroup> </PropertyGroup>
</Project> </Project>

View File

@ -1,6 +1,6 @@
@AuthApi_HostAddress = http://localhost:5279 @AuthApi_HostAddress = http://localhost:5279
GET {{AuthApi_HostAddress}}/weatherforecast/ GET {{AuthApi_HostAddress}}/weatherforecast/
Accept: application/json Accept: application/json
### ###

View File

@ -1,113 +1,113 @@
using AuthApi.Models; using AuthApi.Models;
using AuthApi.Services; using AuthApi.Services;
using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using Microsoft.IdentityModel.Tokens; using Microsoft.IdentityModel.Tokens;
using System.IdentityModel.Tokens.Jwt; using System.IdentityModel.Tokens.Jwt;
using System.Security.Claims; using System.Security.Claims;
using System.Text; using System.Text;
namespace AuthApi.Controllers; namespace AuthApi.Controllers;
[ApiController] [ApiController]
[Route("api/[controller]")] [Route("api/[controller]")]
public class AuthController : ControllerBase public class AuthController : ControllerBase
{ {
private readonly UserService _users; private readonly UserService _users;
private readonly IConfiguration _cfg; private readonly IConfiguration _cfg;
private readonly BlacklistService _blacklist; private readonly BlacklistService _blacklist;
public AuthController(UserService users, IConfiguration cfg, BlacklistService blacklist) public AuthController(UserService users, IConfiguration cfg, BlacklistService blacklist)
{ {
_users = users; _cfg = cfg; _blacklist = blacklist; _users = users; _cfg = cfg; _blacklist = blacklist;
} }
[HttpPost("register")] [HttpPost("register")]
public async Task<IActionResult> Register([FromBody] RegisterRequest req) public async Task<IActionResult> Register([FromBody] RegisterRequest req)
{ {
if (string.IsNullOrWhiteSpace(req.Username) || string.IsNullOrWhiteSpace(req.Password)) if (string.IsNullOrWhiteSpace(req.Username) || string.IsNullOrWhiteSpace(req.Password))
return BadRequest("Username and password required"); return BadRequest("Username and password required");
if (await _users.GetByUsernameAsync(req.Username) != null) if (await _users.GetByUsernameAsync(req.Username) != null)
return BadRequest("User already exists"); return BadRequest("User already exists");
var hash = BCrypt.Net.BCrypt.HashPassword(req.Password); var hash = BCrypt.Net.BCrypt.HashPassword(req.Password);
var user = new User { Username = req.Username, PasswordHash = hash, Role = "USER", Email = req.Email }; var user = new User { Username = req.Username, PasswordHash = hash, Role = "USER", Email = req.Email };
await _users.CreateAsync(user); await _users.CreateAsync(user);
return Ok("User created"); return Ok("User created");
} }
[HttpPost("login")] [HttpPost("login")]
public async Task<IActionResult> Login([FromBody] LoginRequest req) public async Task<IActionResult> Login([FromBody] LoginRequest req)
{ {
var user = await _users.GetByUsernameAsync(req.Username); var user = await _users.GetByUsernameAsync(req.Username);
if (user == null || !BCrypt.Net.BCrypt.Verify(req.Password, user.PasswordHash)) if (user == null || !BCrypt.Net.BCrypt.Verify(req.Password, user.PasswordHash))
return Unauthorized(); return Unauthorized();
var (accessToken, jti, expUtc) = GenerateJwtToken(user); var (accessToken, jti, expUtc) = GenerateJwtToken(user);
user.RefreshToken = Guid.NewGuid().ToString("N"); user.RefreshToken = Guid.NewGuid().ToString("N");
user.RefreshTokenExpiry = DateTime.UtcNow.AddDays(7); user.RefreshTokenExpiry = DateTime.UtcNow.AddDays(7);
await _users.UpdateAsync(user); await _users.UpdateAsync(user);
return Ok(new { accessToken, refreshToken = user.RefreshToken, user.Username, user.Role, jti, exp = expUtc }); return Ok(new { accessToken, refreshToken = user.RefreshToken, user.Username, user.Role, jti, exp = expUtc });
} }
[HttpPost("refresh")] [HttpPost("refresh")]
public async Task<IActionResult> Refresh([FromBody] RefreshRequest req) public async Task<IActionResult> Refresh([FromBody] RefreshRequest req)
{ {
var user = await _users.GetByUsernameAsync(req.Username); var user = await _users.GetByUsernameAsync(req.Username);
if (user == null || user.RefreshToken != req.RefreshToken || user.RefreshTokenExpiry < DateTime.UtcNow) if (user == null || user.RefreshToken != req.RefreshToken || user.RefreshTokenExpiry < DateTime.UtcNow)
return Unauthorized("Invalid or expired refresh token"); return Unauthorized("Invalid or expired refresh token");
var (accessToken, _, expUtc) = GenerateJwtToken(user); var (accessToken, _, expUtc) = GenerateJwtToken(user);
return Ok(new { accessToken, exp = expUtc }); return Ok(new { accessToken, exp = expUtc });
} }
[HttpPost("logout")] [HttpPost("logout")]
[Authorize(Roles = "USER,SUPER")] [Authorize(Roles = "USER,SUPER")]
public async Task<IActionResult> Logout() public async Task<IActionResult> Logout()
{ {
var token = HttpContext.Request.Headers["Authorization"].FirstOrDefault()?.Replace("Bearer ", ""); var token = HttpContext.Request.Headers["Authorization"].FirstOrDefault()?.Replace("Bearer ", "");
if (string.IsNullOrWhiteSpace(token)) return BadRequest("Token missing"); if (string.IsNullOrWhiteSpace(token)) return BadRequest("Token missing");
var jwt = new JwtSecurityTokenHandler().ReadJwtToken(token); var jwt = new JwtSecurityTokenHandler().ReadJwtToken(token);
await _blacklist.AddToBlacklistAsync(jwt.Id, jwt.ValidTo); await _blacklist.AddToBlacklistAsync(jwt.Id, jwt.ValidTo);
return Ok("Logged out."); return Ok("Logged out.");
} }
[HttpPost("role")] [HttpPost("role")]
[Authorize(Roles = "SUPER")] [Authorize(Roles = "SUPER")]
public async Task<IActionResult> ChangeUserRole([FromBody] ChangeRoleRequest req) public async Task<IActionResult> ChangeUserRole([FromBody] ChangeRoleRequest req)
{ {
if (req.NewRole is not ("USER" or "SUPER")) return BadRequest("Role must be 'USER' or 'SUPER'"); if (req.NewRole is not ("USER" or "SUPER")) return BadRequest("Role must be 'USER' or 'SUPER'");
var user = await _users.GetByUsernameAsync(req.Username); var user = await _users.GetByUsernameAsync(req.Username);
if (user is null) return NotFound("User not found"); if (user is null) return NotFound("User not found");
user.Role = req.NewRole; user.Role = req.NewRole;
await _users.UpdateAsync(user); await _users.UpdateAsync(user);
return Ok($"{req.Username}'s role updated to {req.NewRole}"); return Ok($"{req.Username}'s role updated to {req.NewRole}");
} }
[HttpGet("users")] [HttpGet("users")]
[Authorize(Roles = "SUPER")] [Authorize(Roles = "SUPER")]
public async Task<IActionResult> GetAllUsers() => Ok(await _users.GetAllAsync()); public async Task<IActionResult> GetAllUsers() => Ok(await _users.GetAllAsync());
private (string token, string jti, DateTime expUtc) GenerateJwtToken(User user) private (string token, string jti, DateTime expUtc) GenerateJwtToken(User user)
{ {
var key = Encoding.UTF8.GetBytes(_cfg["Jwt:Key"]!); var key = Encoding.UTF8.GetBytes(_cfg["Jwt:Key"]!);
var issuer = _cfg["Jwt:Issuer"] ?? "GameAuthApi"; var issuer = _cfg["Jwt:Issuer"] ?? "GameAuthApi";
var audience = _cfg["Jwt:Audience"] ?? issuer; var audience = _cfg["Jwt:Audience"] ?? issuer;
var creds = new SigningCredentials(new SymmetricSecurityKey(key), SecurityAlgorithms.HmacSha256); var creds = new SigningCredentials(new SymmetricSecurityKey(key), SecurityAlgorithms.HmacSha256);
var jti = Guid.NewGuid().ToString("N"); var jti = Guid.NewGuid().ToString("N");
var claims = new[] var claims = new[]
{ {
new Claim(ClaimTypes.Name, user.Username), new Claim(ClaimTypes.Name, user.Username),
new Claim(ClaimTypes.NameIdentifier, user.Id), new Claim(ClaimTypes.NameIdentifier, user.Id),
new Claim(ClaimTypes.Role, user.Role), new Claim(ClaimTypes.Role, user.Role),
new Claim(JwtRegisteredClaimNames.Jti, jti) new Claim(JwtRegisteredClaimNames.Jti, jti)
}; };
var exp = DateTime.UtcNow.AddMinutes(15); var exp = DateTime.UtcNow.AddMinutes(15);
var token = new JwtSecurityToken(issuer, audience, claims, expires: exp, signingCredentials: creds); var token = new JwtSecurityToken(issuer, audience, claims, expires: exp, signingCredentials: creds);
return (new JwtSecurityTokenHandler().WriteToken(token), jti, exp); return (new JwtSecurityTokenHandler().WriteToken(token), jti, exp);
} }
} }

View File

@ -1,21 +1,21 @@
FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build
WORKDIR /src WORKDIR /src
# Copy project file first to take advantage of Docker layer caching # Copy project file first to take advantage of Docker layer caching
COPY ["AuthApi.csproj", "./"] COPY ["AuthApi.csproj", "./"]
RUN dotnet restore "AuthApi.csproj" RUN dotnet restore "AuthApi.csproj"
# Copy the remaining source and publish # Copy the remaining source and publish
COPY . . COPY . .
RUN dotnet publish "AuthApi.csproj" -c Release -o /app/publish /p:UseAppHost=false RUN dotnet publish "AuthApi.csproj" -c Release -o /app/publish /p:UseAppHost=false
FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS final FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS final
WORKDIR /app WORKDIR /app
COPY --from=build /app/publish . COPY --from=build /app/publish .
ENV ASPNETCORE_URLS=http://+:8080 \ ENV ASPNETCORE_URLS=http://+:8080 \
ASPNETCORE_ENVIRONMENT=Production ASPNETCORE_ENVIRONMENT=Production
EXPOSE 8080 EXPOSE 8080
ENTRYPOINT ["dotnet", "AuthApi.dll"] ENTRYPOINT ["dotnet", "AuthApi.dll"]

View File

@ -1,6 +1,6 @@
namespace AuthApi.Models; namespace AuthApi.Models;
public class RegisterRequest { public string Username { get; set; } = ""; public string Password { get; set; } = ""; public string? Email { get; set; } } public class RegisterRequest { public string Username { get; set; } = ""; public string Password { get; set; } = ""; public string? Email { get; set; } }
public class LoginRequest { public string Username { get; set; } = ""; public string Password { get; set; } = ""; } public class LoginRequest { public string Username { get; set; } = ""; public string Password { get; set; } = ""; }
public class ChangeRoleRequest { public string Username { get; set; } = ""; public string NewRole { get; set; } = ""; } public class ChangeRoleRequest { public string Username { get; set; } = ""; public string NewRole { get; set; } = ""; }
public class RefreshRequest { public string Username { get; set; } = ""; public string RefreshToken { get; set; } = ""; } public class RefreshRequest { public string Username { get; set; } = ""; public string RefreshToken { get; set; } = ""; }

View File

@ -1,16 +1,16 @@
using MongoDB.Bson; using MongoDB.Bson;
using MongoDB.Bson.Serialization.Attributes; using MongoDB.Bson.Serialization.Attributes;
namespace AuthApi.Models; namespace AuthApi.Models;
public class User public class User
{ {
[BsonId] [BsonRepresentation(BsonType.ObjectId)] [BsonId] [BsonRepresentation(BsonType.ObjectId)]
public string Id { get; set; } = default!; public string Id { get; set; } = default!;
public string Username { get; set; } = default!; public string Username { get; set; } = default!;
public string PasswordHash { get; set; } = default!; public string PasswordHash { get; set; } = default!;
public string Role { get; set; } = "USER"; public string Role { get; set; } = "USER";
public string? Email { get; set; } public string? Email { get; set; }
public string? RefreshToken { get; set; } public string? RefreshToken { get; set; }
public DateTime? RefreshTokenExpiry { get; set; } public DateTime? RefreshTokenExpiry { get; set; }
} }

View File

@ -1,86 +1,86 @@
using AuthApi.Services; using AuthApi.Services;
using Microsoft.AspNetCore.Authentication.JwtBearer; using Microsoft.AspNetCore.Authentication.JwtBearer;
using Microsoft.IdentityModel.Tokens; using Microsoft.IdentityModel.Tokens;
using Microsoft.OpenApi.Models; using Microsoft.OpenApi.Models;
using System.Security.Claims; using System.Security.Claims;
using System.Text; using System.Text;
var builder = WebApplication.CreateBuilder(args); var builder = WebApplication.CreateBuilder(args);
builder.Services.AddControllers(); builder.Services.AddControllers();
// DI // DI
builder.Services.AddSingleton<UserService>(); builder.Services.AddSingleton<UserService>();
builder.Services.AddSingleton<BlacklistService>(); builder.Services.AddSingleton<BlacklistService>();
// Swagger + JWT auth in Swagger // Swagger + JWT auth in Swagger
builder.Services.AddEndpointsApiExplorer(); builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen(c => builder.Services.AddSwaggerGen(c =>
{ {
c.SwaggerDoc("v1", new OpenApiInfo { Title = "Auth API", Version = "v1" }); c.SwaggerDoc("v1", new OpenApiInfo { Title = "Auth API", Version = "v1" });
c.AddSecurityDefinition("bearerAuth", new OpenApiSecurityScheme c.AddSecurityDefinition("bearerAuth", new OpenApiSecurityScheme
{ {
Type = SecuritySchemeType.Http, Type = SecuritySchemeType.Http,
Scheme = "bearer", Scheme = "bearer",
BearerFormat = "JWT", BearerFormat = "JWT",
Description = "Paste your access token here (no 'Bearer ' prefix needed)." Description = "Paste your access token here (no 'Bearer ' prefix needed)."
}); });
c.AddSecurityRequirement(new OpenApiSecurityRequirement c.AddSecurityRequirement(new OpenApiSecurityRequirement
{ {
{ {
new OpenApiSecurityScheme new OpenApiSecurityScheme
{ {
Reference = new OpenApiReference Reference = new OpenApiReference
{ Type = ReferenceType.SecurityScheme, Id = "bearerAuth" } { Type = ReferenceType.SecurityScheme, Id = "bearerAuth" }
}, },
Array.Empty<string>() Array.Empty<string>()
} }
}); });
}); });
// AuthN/JWT // AuthN/JWT
var cfg = builder.Configuration; var cfg = builder.Configuration;
var jwtKey = cfg["Jwt:Key"] ?? throw new Exception("Jwt:Key missing"); var jwtKey = cfg["Jwt:Key"] ?? throw new Exception("Jwt:Key missing");
var issuer = cfg["Jwt:Issuer"] ?? "GameAuthApi"; var issuer = cfg["Jwt:Issuer"] ?? "GameAuthApi";
var aud = cfg["Jwt:Audience"] ?? issuer; var aud = cfg["Jwt:Audience"] ?? issuer;
builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme) builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(o => .AddJwtBearer(o =>
{ {
o.TokenValidationParameters = new TokenValidationParameters o.TokenValidationParameters = new TokenValidationParameters
{ {
ValidateIssuer = true, ValidIssuer = issuer, ValidateIssuer = true, ValidIssuer = issuer,
ValidateAudience = true, ValidAudience = aud, ValidateAudience = true, ValidAudience = aud,
ValidateIssuerSigningKey = true, ValidateIssuerSigningKey = true,
IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtKey)), IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtKey)),
ValidateLifetime = true, ValidateLifetime = true,
ClockSkew = TimeSpan.FromSeconds(30) ClockSkew = TimeSpan.FromSeconds(30)
}; };
o.Events = new JwtBearerEvents o.Events = new JwtBearerEvents
{ {
OnTokenValidated = async ctx => OnTokenValidated = async ctx =>
{ {
var jti = ctx.Principal?.FindFirstValue(System.IdentityModel.Tokens.Jwt.JwtRegisteredClaimNames.Jti); var jti = ctx.Principal?.FindFirstValue(System.IdentityModel.Tokens.Jwt.JwtRegisteredClaimNames.Jti);
if (!string.IsNullOrEmpty(jti)) if (!string.IsNullOrEmpty(jti))
{ {
var bl = ctx.HttpContext.RequestServices.GetRequiredService<BlacklistService>(); var bl = ctx.HttpContext.RequestServices.GetRequiredService<BlacklistService>();
if (await bl.IsBlacklistedAsync(jti)) ctx.Fail("Token revoked"); if (await bl.IsBlacklistedAsync(jti)) ctx.Fail("Token revoked");
} }
} }
}; };
}); });
builder.Services.AddAuthorization(); builder.Services.AddAuthorization();
var app = builder.Build(); var app = builder.Build();
app.MapGet("/healthz", () => Results.Ok("ok")); app.MapGet("/healthz", () => Results.Ok("ok"));
app.UseSwagger(); app.UseSwagger();
app.UseSwaggerUI(o => app.UseSwaggerUI(o =>
{ {
o.SwaggerEndpoint("/swagger/v1/swagger.json", "Auth API v1"); o.SwaggerEndpoint("/swagger/v1/swagger.json", "Auth API v1");
o.RoutePrefix = "swagger"; o.RoutePrefix = "swagger";
}); });
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization(); app.UseAuthorization();
app.MapControllers(); app.MapControllers();
app.Run(); app.Run();

View File

@ -1,23 +1,23 @@
{ {
"$schema": "https://json.schemastore.org/launchsettings.json", "$schema": "https://json.schemastore.org/launchsettings.json",
"profiles": { "profiles": {
"http": { "http": {
"commandName": "Project", "commandName": "Project",
"dotnetRunMessages": true, "dotnetRunMessages": true,
"launchBrowser": false, "launchBrowser": false,
"applicationUrl": "http://localhost:5279", "applicationUrl": "http://localhost:5279",
"environmentVariables": { "environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development" "ASPNETCORE_ENVIRONMENT": "Development"
} }
}, },
"https": { "https": {
"commandName": "Project", "commandName": "Project",
"dotnetRunMessages": true, "dotnetRunMessages": true,
"launchBrowser": false, "launchBrowser": false,
"applicationUrl": "https://localhost:7295;http://localhost:5279", "applicationUrl": "https://localhost:7295;http://localhost:5279",
"environmentVariables": { "environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development" "ASPNETCORE_ENVIRONMENT": "Development"
} }
} }
} }
} }

View File

@ -1,36 +1,36 @@
using MongoDB.Bson.Serialization.Attributes; using MongoDB.Bson.Serialization.Attributes;
using MongoDB.Driver; using MongoDB.Driver;
namespace AuthApi.Services; namespace AuthApi.Services;
public class BlacklistedToken public class BlacklistedToken
{ {
[BsonId] public string Jti { get; set; } = default!; [BsonId] public string Jti { get; set; } = default!;
public DateTime ExpiresAt { get; set; } public DateTime ExpiresAt { get; set; }
} }
public class BlacklistService public class BlacklistService
{ {
private readonly IMongoCollection<BlacklistedToken> _col; private readonly IMongoCollection<BlacklistedToken> _col;
public BlacklistService(IConfiguration cfg) public BlacklistService(IConfiguration cfg)
{ {
var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017"; var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017";
var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb"; var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb";
var client = new MongoClient(cs); var client = new MongoClient(cs);
var db = client.GetDatabase(dbName); var db = client.GetDatabase(dbName);
_col = db.GetCollection<BlacklistedToken>("BlacklistedTokens"); _col = db.GetCollection<BlacklistedToken>("BlacklistedTokens");
// TTL index so revocations expire automatically // TTL index so revocations expire automatically
var keys = Builders<BlacklistedToken>.IndexKeys.Ascending(x => x.ExpiresAt); var keys = Builders<BlacklistedToken>.IndexKeys.Ascending(x => x.ExpiresAt);
_col.Indexes.CreateOne(new CreateIndexModel<BlacklistedToken>(keys, new CreateIndexOptions { ExpireAfter = TimeSpan.Zero })); _col.Indexes.CreateOne(new CreateIndexModel<BlacklistedToken>(keys, new CreateIndexOptions { ExpireAfter = TimeSpan.Zero }));
} }
public Task AddToBlacklistAsync(string jti, DateTime expiresAt) => public Task AddToBlacklistAsync(string jti, DateTime expiresAt) =>
_col.ReplaceOneAsync(x => x.Jti == jti, _col.ReplaceOneAsync(x => x.Jti == jti,
new BlacklistedToken { Jti = jti, ExpiresAt = expiresAt }, new BlacklistedToken { Jti = jti, ExpiresAt = expiresAt },
new ReplaceOptions { IsUpsert = true }); new ReplaceOptions { IsUpsert = true });
public Task<bool> IsBlacklistedAsync(string jti) => public Task<bool> IsBlacklistedAsync(string jti) =>
_col.Find(x => x.Jti == jti).AnyAsync(); _col.Find(x => x.Jti == jti).AnyAsync();
} }

View File

@ -1,32 +1,32 @@
using AuthApi.Models; using AuthApi.Models;
using MongoDB.Driver; using MongoDB.Driver;
namespace AuthApi.Services; namespace AuthApi.Services;
public class UserService public class UserService
{ {
private readonly IMongoCollection<User> _col; private readonly IMongoCollection<User> _col;
public UserService(IConfiguration cfg) public UserService(IConfiguration cfg)
{ {
var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017"; var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017";
var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb"; var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb";
var client = new MongoClient(cs); var client = new MongoClient(cs);
var db = client.GetDatabase(dbName); var db = client.GetDatabase(dbName);
_col = db.GetCollection<User>("Users"); _col = db.GetCollection<User>("Users");
var keys = Builders<User>.IndexKeys.Ascending(u => u.Username); var keys = Builders<User>.IndexKeys.Ascending(u => u.Username);
_col.Indexes.CreateOne(new CreateIndexModel<User>(keys, new CreateIndexOptions { Unique = true })); _col.Indexes.CreateOne(new CreateIndexModel<User>(keys, new CreateIndexOptions { Unique = true }));
} }
public Task<User?> GetByUsernameAsync(string username) => public Task<User?> GetByUsernameAsync(string username) =>
_col.Find(u => u.Username == username).FirstOrDefaultAsync(); _col.Find(u => u.Username == username).FirstOrDefaultAsync();
public Task CreateAsync(User user) => _col.InsertOneAsync(user); public Task CreateAsync(User user) => _col.InsertOneAsync(user);
public Task UpdateAsync(User user) => public Task UpdateAsync(User user) =>
_col.ReplaceOneAsync(u => u.Id == user.Id, user); _col.ReplaceOneAsync(u => u.Id == user.Id, user);
public Task<List<User>> GetAllAsync() => public Task<List<User>> GetAllAsync() =>
_col.Find(FilterDefinition<User>.Empty).ToListAsync(); _col.Find(FilterDefinition<User>.Empty).ToListAsync();
} }

View File

@ -1,8 +1,8 @@
{ {
"Logging": { "Logging": {
"LogLevel": { "LogLevel": {
"Default": "Information", "Default": "Information",
"Microsoft.AspNetCore": "Warning" "Microsoft.AspNetCore": "Warning"
} }
} }
} }

View File

@ -1,7 +1,7 @@
{ {
"Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5000" } } }, "Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5000" } } },
"MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" }, "MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" },
"Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" }, "Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" },
"Logging": { "LogLevel": { "Default": "Information" } }, "Logging": { "LogLevel": { "Default": "Information" } },
"AllowedHosts": "*" "AllowedHosts": "*"
} }

View File

@ -1,28 +1,28 @@
apiVersion: apps/v1 apiVersion: apps/v1
kind: Deployment kind: Deployment
metadata: metadata:
name: promiscuity-auth name: promiscuity-auth
labels: labels:
app: promiscuity-auth app: promiscuity-auth
spec: spec:
replicas: 2 replicas: 2
selector: selector:
matchLabels: matchLabels:
app: promiscuity-auth app: promiscuity-auth
template: template:
metadata: metadata:
labels: labels:
app: promiscuity-auth app: promiscuity-auth
spec: spec:
containers: containers:
- name: promiscuity-auth - name: promiscuity-auth
image: promiscuity-auth:latest image: promiscuity-auth:latest
imagePullPolicy: IfNotPresent imagePullPolicy: IfNotPresent
ports: ports:
- containerPort: 5000 - containerPort: 5000
readinessProbe: readinessProbe:
httpGet: httpGet:
path: /healthz path: /healthz
port: 5000 port: 5000
initialDelaySeconds: 5 initialDelaySeconds: 5
periodSeconds: 10 periodSeconds: 10

View File

@ -1,15 +1,15 @@
apiVersion: v1 apiVersion: v1
kind: Service kind: Service
metadata: metadata:
name: promiscuity-auth name: promiscuity-auth
labels: labels:
app: promiscuity-auth app: promiscuity-auth
spec: spec:
selector: selector:
app: promiscuity-auth app: promiscuity-auth
type: NodePort type: NodePort
ports: ports:
- name: http - name: http
port: 80 # cluster port port: 80 # cluster port
targetPort: 5000 # container port targetPort: 5000 # container port
nodePort: 30080 # same external port you've been using nodePort: 30080 # same external port you've been using

View File

@ -1,16 +1,16 @@
<Project Sdk="Microsoft.NET.Sdk.Web"> <Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup> <PropertyGroup>
<TargetFramework>net8.0</TargetFramework> <TargetFramework>net8.0</TargetFramework>
<Nullable>enable</Nullable> <Nullable>enable</Nullable>
<ImplicitUsings>enable</ImplicitUsings> <ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="8.0.8" /> <PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="8.0.8" />
<PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="8.0.8" /> <PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="8.0.8" />
<PackageReference Include="MongoDB.Driver" Version="3.4.3" /> <PackageReference Include="MongoDB.Driver" Version="3.4.3" />
<PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" /> <PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" />
</ItemGroup> </ItemGroup>
</Project> </Project>

View File

@ -1,69 +1,69 @@
using CharacterApi.Models; using CharacterApi.Models;
using CharacterApi.Services; using CharacterApi.Services;
using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using System.Security.Claims; using System.Security.Claims;
namespace CharacterApi.Controllers; namespace CharacterApi.Controllers;
[ApiController] [ApiController]
[Route("api/[controller]")] [Route("api/[controller]")]
public class CharactersController : ControllerBase public class CharactersController : ControllerBase
{ {
private readonly CharacterStore _characters; private readonly CharacterStore _characters;
public CharactersController(CharacterStore characters) public CharactersController(CharacterStore characters)
{ {
_characters = characters; _characters = characters;
} }
[HttpPost] [HttpPost]
[Authorize(Roles = "USER,SUPER")] [Authorize(Roles = "USER,SUPER")]
public async Task<IActionResult> Create([FromBody] CreateCharacterRequest req) public async Task<IActionResult> Create([FromBody] CreateCharacterRequest req)
{ {
if (string.IsNullOrWhiteSpace(req.Name)) if (string.IsNullOrWhiteSpace(req.Name))
return BadRequest("Name required"); return BadRequest("Name required");
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier); var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId)) if (string.IsNullOrWhiteSpace(userId))
return Unauthorized(); return Unauthorized();
var character = new Character var character = new Character
{ {
OwnerUserId = userId, OwnerUserId = userId,
Name = req.Name.Trim(), Name = req.Name.Trim(),
CreatedUtc = DateTime.UtcNow CreatedUtc = DateTime.UtcNow
}; };
await _characters.CreateAsync(character); await _characters.CreateAsync(character);
return Ok(character); return Ok(character);
} }
[HttpGet] [HttpGet]
[Authorize(Roles = "USER,SUPER")] [Authorize(Roles = "USER,SUPER")]
public async Task<IActionResult> ListMine() public async Task<IActionResult> ListMine()
{ {
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier); var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId)) if (string.IsNullOrWhiteSpace(userId))
return Unauthorized(); return Unauthorized();
var characters = await _characters.GetForOwnerAsync(userId); var characters = await _characters.GetForOwnerAsync(userId);
return Ok(characters); return Ok(characters);
} }
[HttpDelete("{id}")] [HttpDelete("{id}")]
[Authorize(Roles = "USER,SUPER")] [Authorize(Roles = "USER,SUPER")]
public async Task<IActionResult> Delete(string id) public async Task<IActionResult> Delete(string id)
{ {
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier); var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId)) if (string.IsNullOrWhiteSpace(userId))
return Unauthorized(); return Unauthorized();
var allowAnyOwner = User.IsInRole("SUPER"); var allowAnyOwner = User.IsInRole("SUPER");
var deleted = await _characters.DeleteForOwnerAsync(id, userId, allowAnyOwner); var deleted = await _characters.DeleteForOwnerAsync(id, userId, allowAnyOwner);
if (!deleted) if (!deleted)
return NotFound(); return NotFound();
return Ok("Deleted"); return Ok("Deleted");
} }
} }

View File

@ -1,21 +1,21 @@
FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build
WORKDIR /src WORKDIR /src
# Copy project file first to take advantage of Docker layer caching # Copy project file first to take advantage of Docker layer caching
COPY ["CharacterApi.csproj", "./"] COPY ["CharacterApi.csproj", "./"]
RUN dotnet restore "CharacterApi.csproj" RUN dotnet restore "CharacterApi.csproj"
# Copy the remaining source and publish # Copy the remaining source and publish
COPY . . COPY . .
RUN dotnet publish "CharacterApi.csproj" -c Release -o /app/publish /p:UseAppHost=false RUN dotnet publish "CharacterApi.csproj" -c Release -o /app/publish /p:UseAppHost=false
FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS final FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS final
WORKDIR /app WORKDIR /app
COPY --from=build /app/publish . COPY --from=build /app/publish .
ENV ASPNETCORE_URLS=http://+:8080 \ ENV ASPNETCORE_URLS=http://+:8080 \
ASPNETCORE_ENVIRONMENT=Production ASPNETCORE_ENVIRONMENT=Production
EXPOSE 8080 EXPOSE 8080
ENTRYPOINT ["dotnet", "CharacterApi.dll"] ENTRYPOINT ["dotnet", "CharacterApi.dll"]

View File

@ -1,17 +1,17 @@
using MongoDB.Bson; using MongoDB.Bson;
using MongoDB.Bson.Serialization.Attributes; using MongoDB.Bson.Serialization.Attributes;
namespace CharacterApi.Models; namespace CharacterApi.Models;
public class Character public class Character
{ {
[BsonId] [BsonId]
[BsonRepresentation(BsonType.ObjectId)] [BsonRepresentation(BsonType.ObjectId)]
public string? Id { get; set; } public string? Id { get; set; }
public string OwnerUserId { get; set; } = string.Empty; public string OwnerUserId { get; set; } = string.Empty;
public string Name { get; set; } = string.Empty; public string Name { get; set; } = string.Empty;
public DateTime CreatedUtc { get; set; } = DateTime.UtcNow; public DateTime CreatedUtc { get; set; } = DateTime.UtcNow;
} }

View File

@ -1,6 +1,6 @@
namespace CharacterApi.Models; namespace CharacterApi.Models;
public class CreateCharacterRequest public class CreateCharacterRequest
{ {
public string Name { get; set; } = string.Empty; public string Name { get; set; } = string.Empty;
} }

View File

@ -1,72 +1,72 @@
using CharacterApi.Services; using CharacterApi.Services;
using Microsoft.AspNetCore.Authentication.JwtBearer; using Microsoft.AspNetCore.Authentication.JwtBearer;
using Microsoft.IdentityModel.Tokens; using Microsoft.IdentityModel.Tokens;
using Microsoft.OpenApi.Models; using Microsoft.OpenApi.Models;
using System.Text; using System.Text;
var builder = WebApplication.CreateBuilder(args); var builder = WebApplication.CreateBuilder(args);
builder.Services.AddControllers(); builder.Services.AddControllers();
// DI // DI
builder.Services.AddSingleton<CharacterStore>(); builder.Services.AddSingleton<CharacterStore>();
// Swagger + JWT auth in Swagger // Swagger + JWT auth in Swagger
builder.Services.AddEndpointsApiExplorer(); builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen(c => builder.Services.AddSwaggerGen(c =>
{ {
c.SwaggerDoc("v1", new OpenApiInfo { Title = "Character API", Version = "v1" }); c.SwaggerDoc("v1", new OpenApiInfo { Title = "Character API", Version = "v1" });
c.AddSecurityDefinition("bearerAuth", new OpenApiSecurityScheme c.AddSecurityDefinition("bearerAuth", new OpenApiSecurityScheme
{ {
Type = SecuritySchemeType.Http, Type = SecuritySchemeType.Http,
Scheme = "bearer", Scheme = "bearer",
BearerFormat = "JWT", BearerFormat = "JWT",
Description = "Paste your access token here (no 'Bearer ' prefix needed)." Description = "Paste your access token here (no 'Bearer ' prefix needed)."
}); });
c.AddSecurityRequirement(new OpenApiSecurityRequirement c.AddSecurityRequirement(new OpenApiSecurityRequirement
{ {
{ {
new OpenApiSecurityScheme new OpenApiSecurityScheme
{ {
Reference = new OpenApiReference Reference = new OpenApiReference
{ Type = ReferenceType.SecurityScheme, Id = "bearerAuth" } { Type = ReferenceType.SecurityScheme, Id = "bearerAuth" }
}, },
Array.Empty<string>() Array.Empty<string>()
} }
}); });
}); });
// AuthN/JWT // AuthN/JWT
var cfg = builder.Configuration; var cfg = builder.Configuration;
var jwtKey = cfg["Jwt:Key"] ?? throw new Exception("Jwt:Key missing"); var jwtKey = cfg["Jwt:Key"] ?? throw new Exception("Jwt:Key missing");
var issuer = cfg["Jwt:Issuer"] ?? "promiscuity"; var issuer = cfg["Jwt:Issuer"] ?? "promiscuity";
var aud = cfg["Jwt:Audience"] ?? issuer; var aud = cfg["Jwt:Audience"] ?? issuer;
builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme) builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(o => .AddJwtBearer(o =>
{ {
o.TokenValidationParameters = new TokenValidationParameters o.TokenValidationParameters = new TokenValidationParameters
{ {
ValidateIssuer = true, ValidIssuer = issuer, ValidateIssuer = true, ValidIssuer = issuer,
ValidateAudience = true, ValidAudience = aud, ValidateAudience = true, ValidAudience = aud,
ValidateIssuerSigningKey = true, ValidateIssuerSigningKey = true,
IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtKey)), IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtKey)),
ValidateLifetime = true, ValidateLifetime = true,
ClockSkew = TimeSpan.FromSeconds(30) ClockSkew = TimeSpan.FromSeconds(30)
}; };
}); });
builder.Services.AddAuthorization(); builder.Services.AddAuthorization();
var app = builder.Build(); var app = builder.Build();
app.MapGet("/healthz", () => Results.Ok("ok")); app.MapGet("/healthz", () => Results.Ok("ok"));
app.UseSwagger(); app.UseSwagger();
app.UseSwaggerUI(o => app.UseSwaggerUI(o =>
{ {
o.SwaggerEndpoint("/swagger/v1/swagger.json", "Character API v1"); o.SwaggerEndpoint("/swagger/v1/swagger.json", "Character API v1");
o.RoutePrefix = "swagger"; o.RoutePrefix = "swagger";
}); });
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization(); app.UseAuthorization();
app.MapControllers(); app.MapControllers();
app.Run(); app.Run();

View File

@ -1,12 +1,12 @@
{ {
"profiles": { "profiles": {
"CharacterApi": { "CharacterApi": {
"commandName": "Project", "commandName": "Project",
"launchBrowser": true, "launchBrowser": true,
"environmentVariables": { "environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development" "ASPNETCORE_ENVIRONMENT": "Development"
}, },
"applicationUrl": "https://localhost:50784;http://localhost:50785" "applicationUrl": "https://localhost:50784;http://localhost:50785"
} }
} }
} }

View File

@ -1,41 +1,41 @@
using CharacterApi.Models; using CharacterApi.Models;
using MongoDB.Driver; using MongoDB.Driver;
namespace CharacterApi.Services; namespace CharacterApi.Services;
public class CharacterStore public class CharacterStore
{ {
private readonly IMongoCollection<Character> _col; private readonly IMongoCollection<Character> _col;
public CharacterStore(IConfiguration cfg) public CharacterStore(IConfiguration cfg)
{ {
var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017"; var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017";
var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb"; var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb";
var client = new MongoClient(cs); var client = new MongoClient(cs);
var db = client.GetDatabase(dbName); var db = client.GetDatabase(dbName);
_col = db.GetCollection<Character>("Characters"); _col = db.GetCollection<Character>("Characters");
var ownerIndex = Builders<Character>.IndexKeys.Ascending(c => c.OwnerUserId); var ownerIndex = Builders<Character>.IndexKeys.Ascending(c => c.OwnerUserId);
_col.Indexes.CreateOne(new CreateIndexModel<Character>(ownerIndex)); _col.Indexes.CreateOne(new CreateIndexModel<Character>(ownerIndex));
} }
public Task CreateAsync(Character character) => _col.InsertOneAsync(character); public Task CreateAsync(Character character) => _col.InsertOneAsync(character);
public Task<List<Character>> GetForOwnerAsync(string ownerUserId) => public Task<List<Character>> GetForOwnerAsync(string ownerUserId) =>
_col.Find(c => c.OwnerUserId == ownerUserId).ToListAsync(); _col.Find(c => c.OwnerUserId == ownerUserId).ToListAsync();
public async Task<bool> DeleteForOwnerAsync(string id, string ownerUserId, bool allowAnyOwner) public async Task<bool> DeleteForOwnerAsync(string id, string ownerUserId, bool allowAnyOwner)
{ {
var filter = Builders<Character>.Filter.Eq(c => c.Id, id); var filter = Builders<Character>.Filter.Eq(c => c.Id, id);
if (!allowAnyOwner) if (!allowAnyOwner)
{ {
filter = Builders<Character>.Filter.And( filter = Builders<Character>.Filter.And(
filter, filter,
Builders<Character>.Filter.Eq(c => c.OwnerUserId, ownerUserId) Builders<Character>.Filter.Eq(c => c.OwnerUserId, ownerUserId)
); );
} }
var result = await _col.DeleteOneAsync(filter); var result = await _col.DeleteOneAsync(filter);
return result.DeletedCount > 0; return result.DeletedCount > 0;
} }
} }

View File

@ -1,6 +1,6 @@
{ {
"Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5001" } } }, "Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5001" } } },
"MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" }, "MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" },
"Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" }, "Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" },
"Logging": { "LogLevel": { "Default": "Information" } } "Logging": { "LogLevel": { "Default": "Information" } }
} }

View File

@ -1,7 +1,7 @@
{ {
"Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5001" } } }, "Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5001" } } },
"MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" }, "MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" },
"Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" }, "Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" },
"Logging": { "LogLevel": { "Default": "Information" } }, "Logging": { "LogLevel": { "Default": "Information" } },
"AllowedHosts": "*" "AllowedHosts": "*"
} }

View File

@ -1,28 +1,28 @@
apiVersion: apps/v1 apiVersion: apps/v1
kind: Deployment kind: Deployment
metadata: metadata:
name: promiscuity-character name: promiscuity-character
labels: labels:
app: promiscuity-character app: promiscuity-character
spec: spec:
replicas: 2 replicas: 2
selector: selector:
matchLabels: matchLabels:
app: promiscuity-character app: promiscuity-character
template: template:
metadata: metadata:
labels: labels:
app: promiscuity-character app: promiscuity-character
spec: spec:
containers: containers:
- name: promiscuity-character - name: promiscuity-character
image: promiscuity-character:latest image: promiscuity-character:latest
imagePullPolicy: IfNotPresent imagePullPolicy: IfNotPresent
ports: ports:
- containerPort: 5001 - containerPort: 5001
readinessProbe: readinessProbe:
httpGet: httpGet:
path: /healthz path: /healthz
port: 5001 port: 5001
initialDelaySeconds: 5 initialDelaySeconds: 5
periodSeconds: 10 periodSeconds: 10

View File

@ -1,15 +1,15 @@
apiVersion: v1 apiVersion: v1
kind: Service kind: Service
metadata: metadata:
name: promiscuity-character name: promiscuity-character
labels: labels:
app: promiscuity-character app: promiscuity-character
spec: spec:
selector: selector:
app: promiscuity-character app: promiscuity-character
type: NodePort type: NodePort
ports: ports:
- name: http - name: http
port: 80 # cluster port port: 80 # cluster port
targetPort: 5001 # container port targetPort: 5001 # container port
nodePort: 30081 # external port nodePort: 30081 # external port

View File

@ -0,0 +1,83 @@
using LocationsApi.Models;
using LocationsApi.Services;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc;
using System.Security.Claims;
namespace LocationsApi.Controllers;
[ApiController]
[Route("api/[controller]")]
public class LocationsController : ControllerBase
{
private readonly LocationStore _locations;
public LocationsController(LocationStore locations)
{
_locations = locations;
}
[HttpPost]
[Authorize(Roles = "SUPER")]
public async Task<IActionResult> Create([FromBody] CreateLocationRequest req)
{
if (string.IsNullOrWhiteSpace(req.Name))
return BadRequest("Name required");
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId))
return Unauthorized();
var location = new Location
{
OwnerUserId = userId,
Name = req.Name.Trim(),
CreatedUtc = DateTime.UtcNow
};
await _locations.CreateAsync(location);
return Ok(location);
}
[HttpGet]
[Authorize(Roles = "USER,SUPER")]
public async Task<IActionResult> ListMine()
{
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId))
return Unauthorized();
var locations = await _locations.GetForOwnerAsync(userId);
return Ok(locations);
}
[HttpDelete("{id}")]
[Authorize(Roles = "SUPER")]
public async Task<IActionResult> Delete(string id)
{
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
if (string.IsNullOrWhiteSpace(userId))
return Unauthorized();
var allowAnyOwner = User.IsInRole("SUPER");
var deleted = await _locations.DeleteForOwnerAsync(id, userId, allowAnyOwner);
if (!deleted)
return NotFound();
return Ok("Deleted");
}
[HttpPut("{id}")]
[Authorize(Roles = "SUPER")]
public async Task<IActionResult> Update(string id, [FromBody] UpdateLocationRequest req)
{
if (string.IsNullOrWhiteSpace(req.Name))
return BadRequest("Name required");
var updated = await _locations.UpdateNameAsync(id, req.Name.Trim());
if (!updated)
return NotFound();
return Ok("Updated");
}
}

View File

@ -0,0 +1,21 @@
FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build
WORKDIR /src
# Copy project file first to take advantage of Docker layer caching
COPY ["LocationsApi.csproj", "./"]
RUN dotnet restore "LocationsApi.csproj"
# Copy the remaining source and publish
COPY . .
RUN dotnet publish "LocationsApi.csproj" -c Release -o /app/publish /p:UseAppHost=false
FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS final
WORKDIR /app
COPY --from=build /app/publish .
ENV ASPNETCORE_URLS=http://+:8080 \
ASPNETCORE_ENVIRONMENT=Production
EXPOSE 8080
ENTRYPOINT ["dotnet", "LocationsApi.dll"]

View File

@ -0,0 +1,16 @@
<Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup>
<TargetFramework>net8.0</TargetFramework>
<Nullable>enable</Nullable>
<ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="8.0.8" />
<PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="8.0.8" />
<PackageReference Include="MongoDB.Driver" Version="3.4.3" />
<PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" />
</ItemGroup>
</Project>

View File

@ -0,0 +1,6 @@
namespace LocationsApi.Models;
public class CreateLocationRequest
{
public string Name { get; set; } = string.Empty;
}

View File

@ -0,0 +1,17 @@
using MongoDB.Bson;
using MongoDB.Bson.Serialization.Attributes;
namespace LocationsApi.Models;
public class Location
{
[BsonId]
[BsonRepresentation(BsonType.ObjectId)]
public string? Id { get; set; }
public string OwnerUserId { get; set; } = string.Empty;
public string Name { get; set; } = string.Empty;
public DateTime CreatedUtc { get; set; } = DateTime.UtcNow;
}

View File

@ -0,0 +1,6 @@
namespace LocationsApi.Models;
public class UpdateLocationRequest
{
public string Name { get; set; } = string.Empty;
}

View File

@ -0,0 +1,72 @@
using LocationsApi.Services;
using Microsoft.AspNetCore.Authentication.JwtBearer;
using Microsoft.IdentityModel.Tokens;
using Microsoft.OpenApi.Models;
using System.Text;
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddControllers();
// DI
builder.Services.AddSingleton<LocationStore>();
// Swagger + JWT auth in Swagger
builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen(c =>
{
c.SwaggerDoc("v1", new OpenApiInfo { Title = "Locations API", Version = "v1" });
c.AddSecurityDefinition("bearerAuth", new OpenApiSecurityScheme
{
Type = SecuritySchemeType.Http,
Scheme = "bearer",
BearerFormat = "JWT",
Description = "Paste your access token here (no 'Bearer ' prefix needed)."
});
c.AddSecurityRequirement(new OpenApiSecurityRequirement
{
{
new OpenApiSecurityScheme
{
Reference = new OpenApiReference
{ Type = ReferenceType.SecurityScheme, Id = "bearerAuth" }
},
Array.Empty<string>()
}
});
});
// AuthN/JWT
var cfg = builder.Configuration;
var jwtKey = cfg["Jwt:Key"] ?? throw new Exception("Jwt:Key missing");
var issuer = cfg["Jwt:Issuer"] ?? "promiscuity";
var aud = cfg["Jwt:Audience"] ?? issuer;
builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(o =>
{
o.TokenValidationParameters = new TokenValidationParameters
{
ValidateIssuer = true, ValidIssuer = issuer,
ValidateAudience = true, ValidAudience = aud,
ValidateIssuerSigningKey = true,
IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtKey)),
ValidateLifetime = true,
ClockSkew = TimeSpan.FromSeconds(30)
};
});
builder.Services.AddAuthorization();
var app = builder.Build();
app.MapGet("/healthz", () => Results.Ok("ok"));
app.UseSwagger();
app.UseSwaggerUI(o =>
{
o.SwaggerEndpoint("/swagger/v1/swagger.json", "Locations API v1");
o.RoutePrefix = "swagger";
});
app.UseAuthentication();
app.UseAuthorization();
app.MapControllers();
app.Run();

View File

@ -0,0 +1,12 @@
{
"profiles": {
"LocationsApi": {
"commandName": "Project",
"launchBrowser": true,
"environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development"
},
"applicationUrl": "https://localhost:50786;http://localhost:50787"
}
}
}

View File

@ -0,0 +1,49 @@
using LocationsApi.Models;
using MongoDB.Driver;
namespace LocationsApi.Services;
public class LocationStore
{
private readonly IMongoCollection<Location> _col;
public LocationStore(IConfiguration cfg)
{
var cs = cfg["MongoDB:ConnectionString"] ?? "mongodb://127.0.0.1:27017";
var dbName = cfg["MongoDB:DatabaseName"] ?? "GameDb";
var client = new MongoClient(cs);
var db = client.GetDatabase(dbName);
_col = db.GetCollection<Location>("Locations");
var ownerIndex = Builders<Location>.IndexKeys.Ascending(l => l.OwnerUserId);
_col.Indexes.CreateOne(new CreateIndexModel<Location>(ownerIndex));
}
public Task CreateAsync(Location location) => _col.InsertOneAsync(location);
public Task<List<Location>> GetForOwnerAsync(string ownerUserId) =>
_col.Find(l => l.OwnerUserId == ownerUserId).ToListAsync();
public async Task<bool> DeleteForOwnerAsync(string id, string ownerUserId, bool allowAnyOwner)
{
var filter = Builders<Location>.Filter.Eq(l => l.Id, id);
if (!allowAnyOwner)
{
filter = Builders<Location>.Filter.And(
filter,
Builders<Location>.Filter.Eq(l => l.OwnerUserId, ownerUserId)
);
}
var result = await _col.DeleteOneAsync(filter);
return result.DeletedCount > 0;
}
public async Task<bool> UpdateNameAsync(string id, string name)
{
var filter = Builders<Location>.Filter.Eq(l => l.Id, id);
var update = Builders<Location>.Update.Set(l => l.Name, name);
var result = await _col.UpdateOneAsync(filter, update);
return result.ModifiedCount > 0;
}
}

View File

@ -0,0 +1,6 @@
{
"Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5002" } } },
"MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" },
"Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" },
"Logging": { "LogLevel": { "Default": "Information" } }
}

View File

@ -0,0 +1,7 @@
{
"Kestrel": { "Endpoints": { "Http": { "Url": "http://0.0.0.0:5002" } } },
"MongoDB": { "ConnectionString": "mongodb://192.168.86.50:27017", "DatabaseName": "promiscuity" },
"Jwt": { "Key": "SuperUltraSecureJwtKeyWithAtLeast32Chars!!", "Issuer": "promiscuity", "Audience": "promiscuity-auth-api" },
"Logging": { "LogLevel": { "Default": "Information" } },
"AllowedHosts": "*"
}

View File

@ -0,0 +1,28 @@
apiVersion: apps/v1
kind: Deployment
metadata:
name: promiscuity-locations
labels:
app: promiscuity-locations
spec:
replicas: 2
selector:
matchLabels:
app: promiscuity-locations
template:
metadata:
labels:
app: promiscuity-locations
spec:
containers:
- name: promiscuity-locations
image: promiscuity-locations:latest
imagePullPolicy: IfNotPresent
ports:
- containerPort: 5002
readinessProbe:
httpGet:
path: /healthz
port: 5002
initialDelaySeconds: 5
periodSeconds: 10

View File

@ -0,0 +1,15 @@
apiVersion: v1
kind: Service
metadata:
name: promiscuity-locations
labels:
app: promiscuity-locations
spec:
selector:
app: promiscuity-locations
type: NodePort
ports:
- name: http
port: 80 # cluster port
targetPort: 5002 # container port
nodePort: 30082 # external port

View File

@ -1,2 +1,2 @@
# micro-services # micro-services

View File

@ -1,30 +1,36 @@
Microsoft Visual Studio Solution File, Format Version 12.00 Microsoft Visual Studio Solution File, Format Version 12.00
# Visual Studio Version 17 # Visual Studio Version 17
VisualStudioVersion = 17.5.2.0 VisualStudioVersion = 17.5.2.0
MinimumVisualStudioVersion = 10.0.40219.1 MinimumVisualStudioVersion = 10.0.40219.1
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AuthApi", "AuthApi\AuthApi.csproj", "{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}" Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AuthApi", "AuthApi\AuthApi.csproj", "{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}"
EndProject EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "CharacterApi", "CharacterApi\CharacterApi.csproj", "{1572BA36-8EFC-4472-BE74-0676B593AED9}" Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "CharacterApi", "CharacterApi\CharacterApi.csproj", "{1572BA36-8EFC-4472-BE74-0676B593AED9}"
EndProject EndProject
Global Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "LocationsApi", "LocationsApi\LocationsApi.csproj", "{C343AFFB-9AB0-4B70-834C-3D2A21E2B506}"
GlobalSection(SolutionConfigurationPlatforms) = preSolution EndProject
Debug|Any CPU = Debug|Any CPU Global
Release|Any CPU = Release|Any CPU GlobalSection(SolutionConfigurationPlatforms) = preSolution
EndGlobalSection Debug|Any CPU = Debug|Any CPU
GlobalSection(ProjectConfigurationPlatforms) = postSolution Release|Any CPU = Release|Any CPU
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Debug|Any CPU.ActiveCfg = Debug|Any CPU EndGlobalSection
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Debug|Any CPU.Build.0 = Debug|Any CPU GlobalSection(ProjectConfigurationPlatforms) = postSolution
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Release|Any CPU.ActiveCfg = Release|Any CPU {334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Release|Any CPU.Build.0 = Release|Any CPU {334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Debug|Any CPU.Build.0 = Debug|Any CPU
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Release|Any CPU.ActiveCfg = Release|Any CPU
{334F3B23-EFE8-6F1A-5E5F-9A2275D56E28}.Release|Any CPU.Build.0 = Release|Any CPU
{1572BA36-8EFC-4472-BE74-0676B593AED9}.Debug|Any CPU.ActiveCfg = Debug|Any CPU {1572BA36-8EFC-4472-BE74-0676B593AED9}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{1572BA36-8EFC-4472-BE74-0676B593AED9}.Debug|Any CPU.Build.0 = Debug|Any CPU {1572BA36-8EFC-4472-BE74-0676B593AED9}.Debug|Any CPU.Build.0 = Debug|Any CPU
{1572BA36-8EFC-4472-BE74-0676B593AED9}.Release|Any CPU.ActiveCfg = Release|Any CPU {1572BA36-8EFC-4472-BE74-0676B593AED9}.Release|Any CPU.ActiveCfg = Release|Any CPU
{1572BA36-8EFC-4472-BE74-0676B593AED9}.Release|Any CPU.Build.0 = Release|Any CPU {1572BA36-8EFC-4472-BE74-0676B593AED9}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection {C343AFFB-9AB0-4B70-834C-3D2A21E2B506}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
GlobalSection(SolutionProperties) = preSolution {C343AFFB-9AB0-4B70-834C-3D2A21E2B506}.Debug|Any CPU.Build.0 = Debug|Any CPU
HideSolutionNode = FALSE {C343AFFB-9AB0-4B70-834C-3D2A21E2B506}.Release|Any CPU.ActiveCfg = Release|Any CPU
EndGlobalSection {C343AFFB-9AB0-4B70-834C-3D2A21E2B506}.Release|Any CPU.Build.0 = Release|Any CPU
GlobalSection(ExtensibilityGlobals) = postSolution EndGlobalSection
SolutionGuid = {F82C87CC-7411-493D-A138-491A81FBCC32} GlobalSection(SolutionProperties) = preSolution
EndGlobalSection HideSolutionNode = FALSE
EndGlobal EndGlobalSection
GlobalSection(ExtensibilityGlobals) = postSolution
SolutionGuid = {F82C87CC-7411-493D-A138-491A81FBCC32}
EndGlobalSection
EndGlobal