Scripting Helpers is winding down operations and is now read-only. More info→
Ad
Log in to vote
1

pairs or ipairs could i use?

Asked by
gloveshun 119
5 years ago

i dont know what is the difference between of pairs and ipairs (and next)

1local printables = {"What", 5, "blue"}
2for i, v in pairs(printables) do
3    print(v)
4end
5for i, v in ipairs(printables) do
6    print(v)
7end

2 answers

Log in to vote
1
Answered by
bluzorro 417 Moderation Voter
5 years ago

pairs() returns key-value pairs and is mostly used for associative tables. key order is unspecified. ipairs() returns index-value pairs and is mostly used for numeric tables. Non numeric keys in an array are ignored, while the index order is deterministic (in numeric order).

As you saw up there, pairs returns key-value pairs() while ipairs() returns index-value pairs and it's used for numeric tables (stuff that need to be printed in order and not randomly)

What next() does is literally the same as pairs() but a bit faster . I'll use your example:

1local printables = {"What", 5, "blue"}
2 
3for i, v in pairs(printables) do
4    print(v)
5end
6 
7for i, v in next, printables do
8    print(v)
9end
Ad
Log in to vote
1
Answered by 5 years ago

This is a very good question, and here's the simplest I can explain it:

t will refer to local t = {"value1", "value2", nil, "value4"}

1for i,v in pairs(t) do
2   print("i: "..i, " v: "..v)
3end

this will print

1i: 1  v: value1
2i: 2  v: value2
3i: 4  v: value3

This is probably what you'd assume this should print.

for ipairs, the difference is subtle, yet very important.

doing this same loop, but with ipairs:

1for i,v in ipairs(t) do
2   print("i: "..i, " v: "..v)
3end

will just completely stop the loop in it's tracks at the 3rd index (nil), which means it will print this:

1i: 1  v: value1
2i: 2  v: value2

"next" functions no different than pairs, but the syntax is different:

1for i,v in next,t do
2    print("i: "..i, " v: "..v)
3end
0
Thanks! gloveshun 119 — 5y

Answer this question