I need this table to change each position.Y value in a table by 0.5 each time. Such as doing 5, 5.5, 6, 6.5 etc. The problem I'm facing is that the table can't run a 0.5 value, and if I do a for loop inside of a for loop (one editing the table, the other editing the position) it will loop the position changing 13 times.
01 | PathLine 1 Table = |
02 |
03 | { Path.Pathkey 5 , |
04 | Path.Pathkey 6 , |
05 | Path.Pathkey 7 , |
06 | Path.Pathkey 8 , |
07 | Path.Pathkey 9 , |
08 | Path.Pathkey 10 , |
09 | Path.Pathkey 11 , |
10 | Path.Pathkey 12 , |
11 | Path.Pathkey 13 } |
12 |
13 | for i = 5 , #PathLine 1 Table, 0.5 do |
14 | PathLine 1 Table [ i ] .Position = Vector 3. new(- 2.5 , i, 0 )``` |
15 | end |
You're mixing up indexing the table with changing the position of the path. On line 13, PathLine1Table
has values at indices 1 through 9
01 | -- Create a table using a for loop since all your entries have the same name with one number different: |
02 | local paths = { } |
03 | for i = 5 , 13 do -- I'm using 5 and 13 here because you initialized your table with Pathkey5 to Pathkey13 |
04 | table.insert(paths, Path [ "Pathkey" .. i ] ) -- Path["Pathkey5"] is the same as Path.Pathkey5, so we're constructing the key based on 'i' here |
05 | end |
06 |
07 | -- If needed, put the code you want in a function so you can call it more than once |
08 | function MoveAllPathsUp(amount) -- amount should be the amount to move up |
09 | local amountVector 3 = Vector 3. new( 0 , amount, 0 ) |
10 | for i = 1 , #paths do |
11 | paths [ i ] .CFrame = paths [ i ] .CFrame + amountVector 3 |
12 | end |
13 | end |
14 | MovePathsUp( 0.5 ) |
15 |
16 | -- Or if you want the first path at height 5, the next one at height 5.5, etc (assuming you want them all at x=-2.5 and z=0) |
17 | for i = 1 , #paths do |
18 | paths [ i ] .Position = Vector 3. new(- 2.5 , i * 0.5 + 4.5 , 0 ) -- We create a formula here based on 'i', rather than trying to make 'i' the value we want to begin with. |
19 | end |