Answered by
5 years ago Edited 5 years ago
You should only use GetPlayerFromCharacter
if you have the player's character. Since you don't have it (you're hoping to look it up but as you've mentioned there are multiple things in the workspace with the player's name), it is better to just use game.Players:FindFirstChild(folder.Name)
That could only fail if you put things directly in game.Players.
You have a few other problems with your script:
multiplier
should be local. If you declare it local on the same line as multiplier =
then if Multiplier.Value changes while the animation plays, the cash will be increased by the "old" value (which is probably what you want). If you declare it local at the top of the script (which has the same end result as not declaring it local at all, but it is good practice to declare your variables 'local'), then if a Cash Object #1 hits, then the Multiplier increases (or decreases), then Cash Object #2 hits, all in the span of 0.2 seconds, then both Cash Objects will increase the player's cash by the new multiplier. Another option is to access Multiplier.Value
at the very last moment (when you increase cash).
- If a Cash object bounces/hits the furnace a few times in a row, it will end up awarding cash for each time it makes contact. To fix this, you can track the object in a table (but be sure to remove it from the table before the end of the function).
Resulting script:
01 | local furnace = script.Parent.Parent |
03 | local folder = script.Parent.Name |
05 | local multiplierObject = script.Parent.Parent.Parent.Multiplier |
06 | furnace.Touched:Connect( function (hit) |
07 | if touched [ hit ] then return end |
08 | local hitCash = hit:FindFirstChild( "Cash" ) |
09 | if hitCash and hitCash:IsA( "IntValue" ) then |
11 | local player = game.Players:FindFirstChild(folder.Name) |
12 | local multiplier = multiplierObject.Value |
14 | hit.BrickColor = BrickColor.new( "Dark stone grey" ) |
16 | hit.BrickColor = BrickColor.new( "Really black" ) |
18 | local leaderstats = player and player:FindFirstChild( "leaderstats" ) |
20 | local cash = leaderstats:FindFirstChild( "Cash" ) |
22 | cash.Value = cash.Value + hit.Cash.Value * multiplier |
Note that I used FindFirstChild on the leaderstats and Cash to ensure that the script doesn't error (ex if the player left right after they received a cash value), or else a memory leak would occur (since touched[hit]
would remain true forever). An other option is to mark the touched
table as having weak keys, which tells Roblox/Lua that it can remove objects from the table if they're not referenced by anything else: local touched = setmetatable({}, {__mode="k"})
.