スクリプトでプレイヤーの体力回復速度を変更する
デフォルトのHealthスクリプトの確認
Robloxでは体力の管理をHealthスクリプトが行っており、このスクリプトではプレイヤーの体力を自動回復する機能を実装している
デフォルトのHelthスクリプトの内容
コードを呼んでみると体力が最大未満の場合、1秒間に最大体力の1/100を回復するようになっている
-- Gradually regenerates the Humanoid's Health over time. local REGEN_RATE = 1/100 -- Regenerate this fraction of MaxHealth per second. local REGEN_STEP = 1 -- Wait this long between each regeneration step. -------------------------------------------------------------------------------- local Character = script.Parent local Humanoid = Character:WaitForChild'Humanoid' -------------------------------------------------------------------------------- while true do while Humanoid.Health < Humanoid.MaxHealth do local dt = wait(REGEN_STEP) local dh = dt*REGEN_RATE*Humanoid.MaxHealth Humanoid.Health = math.min(Humanoid.Health + dh, Humanoid.MaxHealth) end Humanoid.HealthChanged:Wait() end
ダメージを受けると回復していく
data:image/s3,"s3://crabby-images/6aa54/6aa54ea2d19b73c286d2406f3d71e4a11a6640de" alt=""
Healthスクリプトの上書き
StarterCharacterScriptsの配下にHealthスクリプトを作成することでHealthの挙動を上書きすることができる
data:image/s3,"s3://crabby-images/dcd56/dcd567fe655f19da71bbc2af223d0c3341da37d8" alt=""
回復処理がなくなったため回復しなくなる
data:image/s3,"s3://crabby-images/7c31d/7c31de67cb5dc1975d53b2237012574904764ecf" alt=""
もともとのスクリプトを参考に回復速度を変更する
作成したHelthスクリプトを以下のように編集する
-- Gradually regenerates the Humanoid's Health over time. local REGEN_RATE = 1 / 10 -- この行のみ変更(回復割合を10倍にする) local REGEN_STEP = 1 -- Wait this long between each regeneration step. -------------------------------------------------------------------------------- local Character = script.Parent local Humanoid = Character:WaitForChild'Humanoid' -------------------------------------------------------------------------------- while true do while Humanoid.Health < Humanoid.MaxHealth do local dt = wait(REGEN_STEP) local dh = dt*REGEN_RATE*Humanoid.MaxHealth Humanoid.Health = math.min(Humanoid.Health + dh, Humanoid.MaxHealth) end Humanoid.HealthChanged:Wait() end
data:image/s3,"s3://crabby-images/2c674/2c67420039eeac60b980e650e16efacd789c4396" alt=""
参考スクリプトのように1秒ごとではなく、継続的に回復させることもできる
-- 回復するスピード local RECOVERY_SPEED = 10 local Character = script.Parent local Humanoid = Character:WaitForChild'Humanoid' while true do while Humanoid.Health < Humanoid.MaxHealth do local dt = wait() -- フレームの経過時間に回復スピードを掛け算して回復量を求める local dh = dt*RECOVERY_SPEED Humanoid.Health = math.min(Humanoid.Health + dh, Humanoid.MaxHealth) end Humanoid.HealthChanged:Wait() end
data:image/s3,"s3://crabby-images/61806/61806a9c4ef91cda0bb5027f2f968356eee109af" alt=""
関連