1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65
|
require_relative '../../spec_helper'
describe "MatchData#deconstruct_keys" do
ruby_version_is "3.2" do
it "returns whole hash for nil as an argument" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
m.deconstruct_keys(nil).should == { f: "foo", b: "bar" }
end
it "returns only specified keys" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
m.deconstruct_keys([:f]).should == { f: "foo" }
end
it "requires one argument" do
m = /l/.match("l")
-> {
m.deconstruct_keys
}.should raise_error(ArgumentError, "wrong number of arguments (given 0, expected 1)")
end
it "it raises error when argument is neither nil nor array" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
-> { m.deconstruct_keys(1) }.should raise_error(TypeError, "wrong argument type Integer (expected Array)")
-> { m.deconstruct_keys("asd") }.should raise_error(TypeError, "wrong argument type String (expected Array)")
-> { m.deconstruct_keys(:x) }.should raise_error(TypeError, "wrong argument type Symbol (expected Array)")
-> { m.deconstruct_keys({}) }.should raise_error(TypeError, "wrong argument type Hash (expected Array)")
end
it "returns {} when passed []" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
m.deconstruct_keys([]).should == {}
end
it "does not accept non-Symbol keys" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
-> {
m.deconstruct_keys(['year', :foo])
}.should raise_error(TypeError, "wrong argument type String (expected Symbol)")
end
it "process keys till the first non-existing one" do
m = /(?<f>foo)(?<b>bar)(?<c>baz)/.match("foobarbaz")
m.deconstruct_keys([:f, :a, :b]).should == { f: "foo" }
end
it "returns {} when there are no named captured groups at all" do
m = /foo.+/.match("foobar")
m.deconstruct_keys(nil).should == {}
end
it "returns {} when passed more keys than named captured groups" do
m = /(?<f>foo)(?<b>bar)/.match("foobar")
m.deconstruct_keys([:f, :b, :c]).should == {}
end
end
end
|