YAML. More Types

YAML. More Types

This is the second task on parsing YAML. It represents the next step where parsing gets more complicated. The data types, such as None and bool, are being added, and besides that, you’re getting the ability to use quotes in strings.

Here are some of the examples:

name: "Bob Dylan"
children: 6
{
  "name": "Bob Dylan", 
  "children": 6
}      
      
name: "Alex \\"Fox\\""
children: 6
{
  "name": "Alex \"Fox\"",
  "children": 6
}           
      

As you can see, the string can be put in quotes. It can be both double and single quotes.

name: "Bob Dylan"
children: 6
alive: false
        
{
  "name": "Bob Dylan", 
  "alive": False, 
  "children": 6
}    
      

True and False are the keywords defining the bool type.

name: "Bob Dylan"
children: 6
coding:
        
{
  "coding": None, 
  "name": "Bob Dylan", 
  "children": 6
}
      

If no value is specified, it becomes undefined. There also is a keyword for this - None.

Input: A format string.

Output: An object (list/dictionary).

Examples:

assert yaml("name: Alex\nage: 12") == {"name": "Alex", "age": 12}
assert yaml("name: Alex Fox\nage: 12\n\nclass: 12b") == {
    "name": "Alex Fox",
    "age": 12,
    "class": "12b",
}
assert yaml('name: "Alex Fox"\nage: 12\n\nclass: 12b') == {
    "name": "Alex Fox",
    "age": 12,
    "class": "12b",
}
assert yaml('name: "Alex \\"Fox\\""\nage: 12\n\nclass: 12b') == {
    "name": 'Alex "Fox"',
    "age": 12,
    "class": "12b",
}

Precondition: YAML 1.2 is being used with JSON Schema.

40