PLEAC = Language Examples Alike Cookbook PLEAC examples are drawn from the "Perl Cookbook" by Tom Christiansen & Nathan Torkington, published by O'Reilly. They provide a nice range of examples oriented toward data munging, the type of work I tend to want to do first when learning a new language.
The Julia examples below are principally translations from the Python version
I'm learning as I go, so the code below probably doesn't represent best practice. Your suggestions are welcome! Please file an issue or make a pull request to the github repo.
The examples are not complete. Missing items are generally noted in comments.
#Dict of Any
age = {"Nat"=> 24, "Jules"=> 24, "Josh"=> 17}
{"Jules"=>24,"Josh"=>17,"Nat"=>24}
#typed Dict-- the type will be inferred
age = ["Nat"=> 24, "Jules"=> 24, "Josh"=> 17]
["Jules"=>24,"Josh"=>17,"Nat"=>24]
age=Dict()
age["Nat"] = 24
age["Jules"] = 25
age["Josh"] = 17
17
#in Julia, keys can be Symbols
food_color = [:Apple => "red",
:Banana=> "yellow",
:Lemon => "yellow",
:Carrot=> "orange"
]
[:Apple=>"red",:Carrot=>"orange",:Lemon=>"yellow",:Banana=>"yellow"]
# food_color defined per the introduction
food_color[:Raspberry] = "pink"
print( "Known foods:" )
for food in food_color
print( food )
end
Known foods:(:Apple,"red")(:Raspberry,"pink")(:Carrot,"orange")(:Lemon,"yellow")(:Banana,"yellow")
does dict have a value for key?
key = "Joe"
haskey(age,key)
false
key="Nat"
haskey(age,key)
true
# food_color per the introduction
for name in (:Banana, :Martini)
if name in keys(food_color)
println("$name is a food.")
else
println( "$name is a drink.")
end
end
Banana is a food. Martini is a drink.
age = Dict()
age["Toddler"] = 3
age["Unborn"] = 0
age["Phantasm"] = None
None
thing="Toddler"
thing ==Nothing
false
for thing in ("Toddler", "Unborn", "Phantasm", "Relic")
print("\n$thing: ")
if haskey(age, thing)
print( "Exists ")
if age[thing] != None
print(" Defined")
end
if age[thing]==true
print( " true")
end
end
#println()
end
Toddler: Exists Defined Unborn: Exists Defined Phantasm: Exists Relic:
#SKIP
# Get file sizes for the requested filenames
"""
import fileinput, os
size = {}
for line in fileinput.input():
filename = line.rstrip()
if filename in size:
continue
size[filename] = os.path.getsize(filename)
""";
remove key and value from dict
delete!(age, "Nat")
{"Toddler"=>3,"Unborn"=>0,"Phantasm"=>None}
foodstr = {"carrot"=>"orange", "lemon"=>"yellow",
"apple"=>"green", "banana"=>"yellow"}
{"apple"=>"green","carrot"=>"orange","lemon"=>"yellow","banana"=>"yellow"}
function print_foods()
foods = keys(foodstr)
println("Keys: $(join(foods,' '))")
println("Values: $( join(values(foodstr),' ') )")
end
print_foods (generic function with 1 method)
println("Initially:")
print_foods()
Initially: Keys: apple carrot lemon banana Values: green orange yellow yellow
println("\nWith banana set to nothing")
foodstr["banana"]=None # works for Dict{String,Any}. for typed Dict, would need a Union(T,None)
print_foods()
With banana set to nothing Keys: apple carrot lemon banana Values: green orange yellow None
println("\nWith banana deleted")
delete!( foodstr, "banana" )
print_foods()
With banana deleted Keys: apple carrot lemon Values: green orange yellow
for key in ["Banana", "apple", "Cabbage"]
delete!(foodstr,key) #delete!() does not mind getting non-existant keys
end
foodstr
{"carrot"=>"orange","lemon"=>"yellow"}
foodstr = {"carrot"=>"orange", "lemon"=>"yellow",
"apple"=>"green", "banana"=>"yellow"}
{"apple"=>"green","carrot"=>"orange","lemon"=>"yellow","banana"=>"yellow"}
for k in keys(foodstr)
println("$k $(foodstr[k])")
end
apple green carrot orange lemon yellow banana yellow
for (k,v) in collect(foodstr)
println("$k $v")
end
apple green carrot orange lemon yellow banana yellow
for (k,v) in sort(collect(foodstr))
println("$k $v")
end
apple green banana yellow carrot orange lemon yellow
text = """From: Jo
To: Jim
From: Jane
"""
infile = IOBuffer(text)
IOBuffer([0x46,0x72,0x6f,0x6d,0x3a,0x20,0x4a,0x6f,0x0a,0x54 … 0x72,0x6f,0x6d,0x3a,0x20,0x4a,0x61,0x6e,0x65,0x0a],true,false,true,false,28,9223372036854775807,1)
counts = Dict()
for line in readlines(infile)
if line[1:6]=="From: "
name=chomp(line[7:end])
counts[name] = get(counts,name,0)+1
end
end
for (name, count) in collect(counts)
println("$name $count")
end
Jo 1 Jane 1
for (name, count) in collect(counts)
println("$name => $count")
end
Jo => 1 Jane => 1
join(["$k => $v" for (k,v) in collect(counts)],'\n')
"Jo => 1\nJane => 1"
print(counts)
{"Jo"=>1,"Jane"=>1}
show(counts)
{"Jo"=>1,"Jane"=>1}
#install OrderedCollections.jl ?
# @@INCOMPLETE@
LOAD_PATH
2-element Array{Union(ASCIIString,UTF8String),1}: "C:\\Temp\\julia-rc4\\local\\share\\julia\\site\\v0.2" "C:\\Temp\\julia-rc4\\share\\julia\\site\\v0.2"
multfood = ["carrot"=>["orange","green"],
"lemon"=>["yellow","brown"],
"apple"=>["green","red"],
"banana"=>["yellow","brown"]
]
["apple"=>["green","red"],"carrot"=>["orange","green"],"lemon"=>["yellow","brown"],"banana"=>["yellow","brown"]]
{v=>k for (k,v) in [(1,2),(3,4)]}
{4=>3,2=>1}
surname = {"Mickey"=>"Mantle", "Babe"=>"Ruth"}
{"Babe"=>"Ruth","Mickey"=>"Mantle"}
first_name = {v=>k for (k,v) in collect(surname)}
{"Ruth"=>"Babe","Mantle"=>"Mickey"}
print(first_name["Mantle"])
Mickey
color_dict = {"Apple"=> "red",
"Banana"=> "yellow",
"Lemon"=> "yellow",
"Carrot"=> "orange",
}
{"Banana"=>"yellow","Lemon"=>"yellow","Carrot"=>"orange","Apple"=>"red"}
food_dict = {v=>k for (k,v) in collect(color_dict)}
{"orange"=>"Carrot","red"=>"Apple","yellow"=>"Lemon"}
given = "Apple"
if given in keys(color_dict)
println("$given is a food with color $(color_dict[given])")
elseif given in keys(food_dict)
println("$(color_dict[given]) is a food with color $given ")
end
Apple is a food with color red
food_color
[:Apple=>"red",:Raspberry=>"pink",:Carrot=>"orange",:Lemon=>"yellow",:Banana=>"yellow"]
foods_with_color=Dict()
for (food,color) in color_dict
if haskey(foods_with_color,color)
push!(foods_with_color[color], food)
else
foods_with_color[color] = [food]
end
end
foods_with_color
{"orange"=>["Carrot"],"red"=>["Apple"],"yellow"=>["Banana","Lemon"]}
println( join(foods_with_color["yellow"], ' '), " were yellow foods.")
Banana Lemon were yellow foods.
for (f,c) in sort(collect(color_dict))
println(f," is ",c)
end
Apple is red Banana is yellow Carrot is orange Lemon is yellow
function compare_length(x,y)
return length(string(x))<length(string(y))
end
compare_length (generic function with 1 method)
for k in sort(collect(keys(color_dict)),lt=compare_length)
println(k," is ",color_dict[k])
end
Lemon is yellow Apple is red Banana is yellow Carrot is orange
collect(keys(color_dict))
4-element Array{Any,1}: "Banana" "Lemon" "Carrot" "Apple"
for k in sort(collect(keys(color_dict)), by=length, rev=true)
println(k," is ",color_dict[k])
end
Banana is yellow Carrot is orange Lemon is yellow Apple is red
d1 = Dict((1,2,3),(4,5,6))
[2=>5,3=>6,1=>4]
d2 = Dict((1,4),(7,8))
[4=>8,1=>7]
merge(d1,d2) #where a key is shared between d1 and d2, the result keeps the key-value pair from d2
[4=>8,2=>5,3=>6,1=>7]
# food_color as per section 5.8
drink_color = {"Galliano"=> "yellow",
"Mai Tai"=> "blue"}
{"Galliano"=>"yellow","Mai Tai"=>"blue"}
ingested_color = copy(drink_color)
{"Galliano"=>"yellow","Mai Tai"=>"blue"}
merge!(ingested_color, food_color)
{:Apple=>"red",:Raspberry=>"pink",:Carrot=>"orange","Galliano"=>"yellow","Mai Tai"=>"blue",:Lemon=>"yellow",:Banana=>"yellow"}
common = [k for k in intersect(keys(d1),keys(d2))]
1-element Array{Any,1}: 1
this_not_that = [(k,d1[k]) for k in setdiff(keys(d1),keys(d2))]
2-element Array{(Any,Any),1}: (2,5) (3,6)
# citrus_color is a dict mapping citrus food name to its color.
citrus_color = {"Lemon"=> "yellow",
"Orange"=> "orange",
"Lime"=> "green"}
{"Lime"=>"green","Lemon"=>"yellow","Orange"=>"orange"}
# build up a list of non-citrus foods
non_citrus = [ (k,color_dict[k]) for k in setdiff(keys(color_dict),keys(citrus_color)) ]
3-element Array{(Any,Any),1}: ("Banana","yellow") ("Carrot","orange") ("Apple","red")
# @@INCOMPLETE@
mydict = Dict()
sizehint(mydict, 100)
Dict{Any,Any}()
myarray = [1,2,4,5,3,4,7,8,4,3,2,5,5,7,8]
count = Dict()
for element in myarray
count[element] = get(count,element, 0) + 1
end
count
{5=>3,4=>3,7=>2,2=>2,8=>2,3=>2,1=>1}
for element in myarray
print(element)
end
124534784325578
father = {"Cain"=> "Adam",
"Abel"=> "Adam",
"Seth"=> "Adam",
"Enoch"=> "Cain",
"Irad"=> "Enoch",
"Mehujael"=> "Irad",
"Methusael"=> "Mehujael",
"Lamech"=> "Methusael",
"Jabal"=> "Lamech",
"Tubalcain"=> "Lamech",
"Enos"=> "Seth",
}
{"Methusael"=>"Mehujael","Irad"=>"Enoch","Mehujael"=>"Irad","Lamech"=>"Methusael","Enos"=>"Seth","Tubalcain"=>"Lamech","Abel"=>"Adam","Enoch"=>"Cain","Jabal"=>"Lamech","Seth"=>"Adam","Cain"=>"Adam"}
#SKIP fileinput stuff
# @@INCOMPLETE@
children=Dict()
for (k, v) in collect(father)
if haskey(children,v)
push!(children[v],k)
else
children[v]=[k]
end
end
children
{"Methusael"=>["Lamech"],"Irad"=>["Mehujael"],"Adam"=>["Abel","Seth","Cain"],"Mehujael"=>["Methusael"],"Lamech"=>["Tubalcain","Jabal"],"Enoch"=>["Irad"],"Seth"=>["Enos"],"Cain"=>["Enoch"]}
dd=Dict()
Dict{Any,Any}()
# RE on filenames skipped
# Will not implement
# @@INCOMPLETE@
# Will not implment
# @@INCOMPLETE@
;ipython nbconvert 5_pleac_dictionaries.ipynb
[NbConvertApp] Using existing profile dir: u'C:\\Users\\keithc\\.ipython\\profile_default' [NbConvertApp] Converting notebook 5_pleac_dictionaries.ipynb to html [NbConvertApp] Support files will be in 5_pleac_dictionaries_files\ [NbConvertApp] Loaded template html_full.tpl [NbConvertApp] Writing 268953 bytes to 5_pleac_dictionaries.html