Answered by
6 years ago Edited 6 years ago
Since the hours only matter, you can take the minutes out of the equation with ClockTime, and make sure you round it down:
1 | local hours = math.floor(Lighting.ClockTime) |
To get our minutes we can use the substring you used, but with just the minutes. This can be a string because we're not doing anything to it:
1 | local minutes = Lighting.TimeOfDay:sub( 3 , 5 ) |
Now we need to know whether it's AM or PM, and the best way to do this is see if hours is above 12. If it is above 12, it's PM. If it isn't, it's AM. Also, I added a space so it's easier to put together down the road:
1 | local meridiem = hours > = 12 and " PM" or " AM" |
Then we can use a nifty little operator called the Modulus (or %). If you take a modulus of two numbers, it gives the remainder as if they were divided. For example:
100 (%) 10 = 0
12 (%) 10 = 2
10 (%) 3 = 1
3 (%) 4 = 3
So using this we can take the hours and modulate it by 12:
1 | local displayHours = hours % 12 |
Now since 0 % 12 = 0 and 12 % 12 = 0, we're gonna need to fix that because there's no Zero'O'clock:
1 | if displayHours = = 0 then displayHours = 12 end |
Then we just paste the string together!
1 | local finalTime = tostring (displayHours) .. minutes .. meridiem |
Here's the whole code combined with yours:
01 | local Lighting = game.Lighting |
04 | local hours = math.floor(Lighting.ClockTime) |
05 | local minutes = Lighting.TimeOfDay:sub( 3 , 5 ) |
07 | local meridiem = hours > = 12 and " PM" or " AM" |
08 | local displayHours = hours % 12 |
09 | if displayHours = = 0 then displayHours = 12 end |
11 | local finalTime = tostring (displayHours) .. minutes .. meridiem |
13 | script.Parent.TextLabel.Text = finalTime |
EDITS: Clarification and formatting