Associative array/Creation: Difference between revisions

From Rosetta Code
Content added Content deleted
(Added zkl)
No edit summary
Line 1,111: Line 1,111:
The in operator can be used to check whether an object has a property with a particular name:
The in operator can be used to check whether an object has a property with a particular name:
<lang javascript>'foo' in assoc // true</lang>
<lang javascript>'foo' in assoc // true</lang>

=={{header|Julia}}==
We build dictionaries associating to some characters their code points, by listing the key/value pairs, through a dictionary comprehension, by creating an empty dictionary and filling it, finally by using the specific syntax associated to typed dictionaries.
<lang julia>julia> hash = {'a' => 97, 'b' => 98} # list keys/values
{'a'=>97,'b'=>98}

julia> hash = {c => int(c) for c = 'a':'d'} # dict comprehension
{'a'=>97,'c'=>99,'b'=>98,'d'=>100}

julia> hash['é'] = 233 ; hash # add an element
{'a'=>97,'c'=>99,'b'=>98,'é'=>233,'d'=>100}

julia> hash = Dict() # create an empty dict
Dict{Any,Any}()

julia> for c = 'a':'d' hash[c] = int(c) end ; hash # fill it
{'a'=>97,'c'=>99,'b'=>98,'d'=>100}

julia> hash = (Char=>Int64)['a' => 97, 'b' => 98] # create a typed dict
['a'=>97,'b'=>98]

julia> hash["a"] = 1 # type mismatch
ERROR: no method convert(Type{Char}, ASCIIString)
in setindex! at dict.jl:533</lang>


=={{header|K}}==
=={{header|K}}==

Revision as of 19:26, 6 April 2014

Task
Associative array/Creation
You are encouraged to solve this task according to the task description, using any language you may know.

In this task, the goal is to create an associative array (also known as a dictionary, map, or hash).

Related tasks:

See also

ActionScript

Because ActionScript does not have associative arrays in the normal sense, Object objects are used instead and keys are simply properties on those objects. <lang actionscript>var map:Object = {key1: "value1", key2: "value2"}; trace(map['key1']); // outputs "value1"

// Dot notation can also be used trace(map.key2); // outputs "value2"

// More keys and values can then be added map['key3'] = "value3"; trace(map['key3']); // outputs "value3"</lang> Note: The Object only supports String keys. To use an object as a key, try the flash.utils.Dictionary class.

Ada

Works with: GNAT version GPL 2007

<lang ada>with Ada.Containers.Ordered_Maps; with Ada.Strings.Unbounded; use Ada.Strings.Unbounded; with Ada.Text_IO;

procedure Associative_Array is

  -- Instantiate the generic package Ada.Containers.Ordered_Maps
  package Associative_Int is new Ada.Containers.Ordered_Maps(Unbounded_String, Integer);
  use Associative_Int;
 
  Color_Map : Map;
  Color_Cursor : Cursor;
  Success : Boolean;
  Value : Integer;

begin

  -- Add values to the ordered map
  Color_Map.Insert(To_Unbounded_String("Red"), 10, Color_Cursor, Success);
  Color_Map.Insert(To_Unbounded_String("Blue"), 20, Color_Cursor, Success);
  Color_Map.Insert(To_Unbounded_String("Yellow"), 5, Color_Cursor, Success);
  -- retrieve values from the ordered map and print the value and key
  -- to the screen
  Value := Color_Map.Element(To_Unbounded_String("Red"));
  Ada.Text_Io.Put_Line("Red:" & Integer'Image(Value));
  Value := Color_Map.Element(To_Unbounded_String("Blue"));
  Ada.Text_IO.Put_Line("Blue:" & Integer'Image(Value));
  Value := Color_Map.Element(To_Unbounded_String("Yellow"));
  Ada.Text_IO.Put_Line("Yellow:" & Integer'Image(Value));

end Associative_Array;</lang>

Aikido

Aikido provides a native map for associative arrays. You can create them using a map literal and you can insert and remove items on the fly. <lang aikido> var names = {} // empty map names["foo"] = "bar" names[3] = 4

// initialized map var names2 = {"foo": bar, 3:4}

// lookup map var name = names["foo"] if (typeof(name) == "none") {

   println ("not found")

} else {

   println (name)

}

// remove from map delete names["foo"]


</lang>

Aime

Aime records are heterogenous associative arrays. No creation procedure is required, declaration is fine. <lang aime>record r;</lang> <lang aime>r_put(r, "A", 33); # an integer value r_put(r, "C", 2.5); # a real value r_put(r, "B", "associative"); # a string value</lang>

ALGOL 68

Translation of: C++
Works with: ALGOL 68 version Revision 1 - no extensions to language used
Works with: ALGOL 68G version Any - tested with release 1.18.0-9h.tiny

<lang algol68>main:(

 MODE COLOR = BITS;
 FORMAT color repr = $"16r"16r6d$;
 # This is an associative array which maps strings to ints #
 MODE ITEM = STRUCT(STRING key, COLOR value);
 REF[]ITEM color map items := LOC[0]ITEM;
 PROC color map find = (STRING color)REF COLOR:(
   REF COLOR out;
  1. linear search! #
   FOR index FROM LWB key OF color map items TO UPB key OF color map items DO
     IF color = key OF color map items[index] THEN 
       out := value OF color map items[index]; GO TO found
     FI
   OD;
     NIL EXIT
   found:
     out
 );
 PROC color map = (STRING color)REF COLOR:(
   REF COLOR out = color map find(color);
   IF out :=: REF COLOR(NIL) THEN # extend color map array #
     HEAP[UPB key OF color map items + 1]ITEM color map append;
     color map append[:UPB key OF color map items] := color map items;
     color map items := color map append;
     value OF (color map items[UPB value OF color map items] := (color, 16r000000)) # black #
   ELSE
     out
   FI
 );
 
 # First, populate it with some values #
 color map("red") := 16rff0000;
 color map("green") := 16r00ff00;
 color map("blue") := 16r0000ff;
 color map("my favourite color") := 16r00ffff;
 
 # then, get some values out #
 COLOR color := color map("green"); # color gets 16r00ff00 # 
 color := color map("black"); # accessing unassigned values assigns them to 16r0 #
 
 # get some value out without accidentally inserting new ones #
 REF COLOR value = color map find("green");
 IF value :=: REF COLOR(NIL) THEN
   put(stand error, ("color not found!", new line))
 ELSE
   printf(($"green: "f(color repr)l$, value))
 FI;
 
 # Now I changed my mind about my favourite color, so change it #
 color map("my favourite color") := 16r337733;
 
 # print out all defined colors #
 FOR index FROM LWB color map items TO UPB color map items DO
   ITEM item = color map items[index];
   putf(stand error, ($"color map("""g""") = "f(color repr)l$, item))
 OD;
 FORMAT fmt;
 FORMAT comma sep = $"("n(UPB color map items-1)(f(fmt)", ")f(fmt)")"$;
 fmt := $""""g""""$;
 printf(($g$,"keys: ", comma sep, key OF color map items, $l$));
 fmt := color repr;
 printf(($g$,"values: ", comma sep, value OF color map items, $l$))

)</lang> Output:

green: 16r00ff00
color map("red") = 16rff0000
color map("green") = 16r00ff00
color map("blue") = 16r0000ff
color map("my favourite color") = 16r337733
color map("black") = 16r000000
keys: ("red", "green", "blue", "my favourite color", "black")
values: (16rff0000, 16r00ff00, 16r0000ff, 16r337733, 16r000000)

APL

Works with: Dyalog APL

<lang apl>⍝ Create a namespace ("hash")

     X←⎕NS ⍬
     
     ⍝ Assign some names
     X.this←'that'
     X.foo←88
     
     ⍝  Access the names
     X.this

that

     ⍝  Or do it the array way
     X.(foo this)

88 that

     ⍝  Namespaces are first class objects
     sales ← ⎕NS ⍬
     sales.(prices quantities) ← (100 98.4 103.4 110.16) (10  12 8  10)
     sales.(revenue ← prices +.× quantities)
     sales.revenue

4109.6</lang>

App Inventor

Associative arrays in App Inventor are lists of key:value 'pairs'.
When a list is organized as pairs, the lookup in pairs block can be used to retrieve an associated value from a key name.
<VIEW BLOCKS AND ANDROID APP>

AWK

Arrays in AWK are indeed associative arrays. <lang awk>BEGIN {

 a["red"] = 0xff0000
 a["green"] = 0x00ff00
 a["blue"] = 0x0000ff
 for (i in a) {
   printf "%8s %06x\n", i, a[i] 
 }
 # deleting a key/value
 delete a["red"]
 for (i in a) {
   print i
 }
 # check if a key exists
 print ( "red" in a )   # print 0
 print ( "blue" in a )  # print 1

}</lang>

AutoHotkey

True arrays

AutoHotkey_L has Objects which function as associative arrays. <lang AutoHotkey>associative_array := {key1: "value 1", "Key with spaces and non-alphanumeric characters !*+": 23} MsgBox % associative_array.key1 . "`n" associative_array["Key with spaces and non-alphanumeric characters !*+"]</lang>

Legacy versions

AutoHotkey_Basic does not have typical arrays. However, variable names can be concatenated, simulating associative arrays. <lang AutoHotkey>arrayX1 = first arrayX2 = second arrayX3 = foo arrayX4 = bar Loop, 4

 Msgbox % arrayX%A_Index%</lang>

Batch File

This is cheating, I'm sure of it.

<lang dos>::assocarrays.cmd @echo off setlocal ENABLEDELAYEDEXPANSION set array.dog=1 set array.cat=2 set array.wolf=3 set array.cow=4 for %%i in (dog cat wolf cow) do call :showit array.%%i !array.%%i! set c=-27 call :mkarray sicko flu 5 measles 6 mumps 7 bromodrosis 8 for %%i in (flu measles mumps bromodrosis) do call :showit "sicko^&%%i" !sicko^&%%i! endlocal goto :eof

mkarray

set %1^&%2=%3 shift /2 shift /2 if "%2" neq "" goto :mkarray goto :eof

showit

echo %1 = %2 goto :eof </lang>

Output:

array.dog = 1
array.cat = 2
array.wolf = 3
array.cow = 4
"sicko&flu" = 5
"sicko&measles" = 6
"sicko&mumps" = 7
"sicko&bromodrosis" = 8


BASIC256

<lang BASIC256>global values$, keys$ dim values$[1] dim keys$[1]

call updateKey("a","apple") call updateKey("b","banana") call updateKey("c","cucumber")

gosub show

print "I like to eat a " + getValue$("c") + " on my salad."

call deleteKey("b") call updateKey("c","carrot") call updateKey("e","endive") gosub show

end

show: for t = 0 to countKeys()-1

  print getKeyByIndex$(t) + " " + getValueByIndex$(t)

next t print return

subroutine updateKey(key$, value$)

  # update or add an item
  i=findKey(key$)
  if i=-1 then
     i = freeKey()
     keys$[i] = key$
  end if
  values$[i] = value$

end subroutine

subroutine deleteKey(key$)

  # delete by clearing the key
  i=findKey(key$)
  if i<>-1 then
     keys$[i] = ""
  end if

end subroutine

function freeKey()

  # find index of a free element in the array
  for n = 0 to keys$[?]-1
     if keys$[n]="" then return n
  next n
  redim keys$[n+1]
  redim values$[n+1]
  return n

end function

function findKey(key$)

  # return index or -1 if not found
  for n = 0 to keys$[?]-1
     if key$=keys$[n] then return n
  next n
  return -1

end function

function getValue$(key$)

  # return a value by the key or "" if not existing
  i=findKey(key$)
  if i=-1 then
     return ""
  end if
  return values$[i]

end function

function countKeys()

  # return number of items
  # remember to skip the empty keys (deleted ones)
  k = 0
  for n = 0 to keys$[?] -1
     if keys$[n]<>"" then k++
  next n
  return k

end function

function getValueByIndex$(i)

  # get a value by the index
  # remember to skip the empty keys (deleted ones)
  k = 0
  for n = 0 to keys$[?] -1
     if keys$[n]<>"" then
        if k=i then return values$[k]
        k++
     endif
  next n
  return ""

end function

function getKeyByIndex$(i)

  # get a key by the index
  # remember to skip the empty keys (deleted ones)
  k = 0
  for n = 0 to keys$[?] -1
     if keys$[n]<>"" then
        if k=i then return keys$[k]
        k++
     endif
  next n
  return ""

end function</lang> Output:

a apple
b banana
c cucumber

I like to eat a cucumber on my salad.
a apple
e endive
c carrot

BBC BASIC

<lang bbcbasic> REM Store some values with their keys:

     PROCputdict(mydict$, "FF0000", "red")
     PROCputdict(mydict$, "00FF00", "green")
     PROCputdict(mydict$, "0000FF", "blue")
     
     REM Retrieve some values using their keys:
     PRINT FNgetdict(mydict$, "green")
     PRINT FNgetdict(mydict$, "red")
     END
     
     DEF PROCputdict(RETURN dict$, value$, key$)
     IF dict$ = "" dict$ = CHR$(0)
     dict$ += key$ + CHR$(1) + value$ + CHR$(0)
     ENDPROC
     
     DEF FNgetdict(dict$, key$)
     LOCAL I%, J%
     I% = INSTR(dict$, CHR$(0) + key$ + CHR$(1))
     IF I% = 0 THEN = "" ELSE I% += LEN(key$) + 2
     J% = INSTR(dict$, CHR$(0), I%)
     = MID$(dict$, I%, J% - I%)</lang>

Bracmat

The hash is the only built-in Bracmat class. It is best used for e.g. a large dictionary, when manipulation of a very long list of key/value pairs with pattern matching would become too CPU-intensive. The same key can be stored with different values, as the example shows. If that is not desirable, the key (and its value) should be removed first. <lang bracmat> new$hash:?myhash & (myhash..insert)$(title."Some title") & (myhash..insert)$(formula.a+b+x^7) & (myhash..insert)$(fruit.apples oranges kiwis) & (myhash..insert)$(meat.) & (myhash..insert)$(fruit.melons bananas) & out$(myhash..find)$fruit & (myhash..remove)$formula & (myhash..insert)$(formula.x^2+y^2) & out$(myhash..find)$formula;</lang> Output:

(fruit.melons bananas) (fruit.apples oranges kiwis)
formula.x^2+y^2

Brat

<lang brat>h = [:] #Empty hash

h[:a] = 1 #Assign value h[:b] = [1 2 3] #Assign another value

h2 = [a: 1, b: [1 2 3], 10 : "ten"] #Initialized hash

h2[:b][2] #Returns 3</lang>

C

Solution is at Associative arrays/Creation/C.

C++

The C++ standard defines std::map as a means of creating an association between a key of one arbitrary type and a value of another arbitrary type. This requires the inclusion of the standard header map.

<lang cpp>#include <map></lang>

Creation

To create a simple map whose key is of type A and whose value is of type B, one would define the variable like so: <lang cpp>std::map<A, B> exampleMap</lang>

If one wanted to us a key type of int and a value of double, you would define it like so:

<lang cpp>std::map<int, double> exampleMap</lang>

Insertion

Once we've created our map, we've got a couple different ways to insert the value. Let's use an example key of 7, and an exable value of 3.14.

Operator[]

The first method is using the [] operator. <lang cpp>exampleMap[7] = 3.14</lang>

Of course, you can use a variable (or any rvalue of the correct type) for the key or value parameters: <lang cpp>int myKey = 7; double myValue = 3.14; exampleMap[myKey] = myValue;</lang>

insert()

The second approach is a little more complicated. We have to use the pair<> template: <lang cpp>exampleMap.insert(std::pair<int, double>(7,3.14));</lang> or by using make_pair to avoid repeating key/value types: <lang cpp>exampleMap.insert(std::make_pair(7,3.14));</lang>

Lookup

As with insertion, there are a couple ways we can retrieve the value.

operator[]

We use it as an rvalue, supplying the correct key: <lang cpp>myValue = exampleMap[myKey]</lang> If the value doesn't already exist, a default-constructed object of the value's type will be inserted using the key you specified, and that default value will be returned.

find()

Alternatively, you can look up a value by using find(), storing its return value in an iterator, and comparing the iterator against the map's end() sentinal value: <lang cpp>double myValue = 0.0; std::map<int, double>::iterator myIterator = exampleMap.find(myKey); if(exampleMap.end() != myIterator) {

 // Return the value for that key.
 myValue = myIterator->second;

}</lang>

The need for the ->second code is because our iterator points to a pair<>(), and our value is the second member of that pair.

This code assigns a 0 to myValue if the map contained a value.

Example

This simple program creates a map, assigns a value to that map, retrieves a value from that map, and prints the value to STDOUT. <lang cpp>#include <map>

  1. include <iostreams>

int main() {

 // Create the map.
 std::map<int, double> exampleMap;
 // Choose our key
 int myKey = 7;
 // Choose our value
 double myValue = 3.14;
 // Assign a value to the map with the specified key.
 exampleMap[myKey] = myValue;
 // Retrieve the value
 double myRetrievedValue = exampleMap[myKey];
 // Display our retrieved value.
 std::cout << myRetrievedValue << std::endl;
 // main() must return 0 on success.
 return 0;

}</lang>

C#

Platform: .NET 1.x <lang csharp>System.Collections.HashTable map = new System.Collections.HashTable(); map["key1"] = "foo";</lang>

Platform: .NET 2.0 <lang csharp>Dictionary<string, string> map = new Dictionary<string,string>(); map[ "key1" ] = "foo";</lang>

Works with: C# version 3.0+

<lang csharp>var map = new Dictionary<string, string> Template:"key1", "foo";</lang>

Clojure

<lang lisp>{:key "value"

:key2 "value2"
:key3 "value3"}</lang>

ColdFusion

<lang cfm><cfset myHash = structNew()> <cfset myHash.key1 = "foo"> <cfset myHash["key2"] = "bar"> <cfset myHash.put("key3","java-style")></lang>

In ColdFusion, a map is literally a java.util.HashMap, thus the above 3rd method is possible.

Common Lisp

<lang lisp>;; default :test is #'eql, which is suitable for numbers only,

or for implementation identity for other types!
Use #'equalp if you want case-insensitive keying on strings.

(setf my-hash (make-hash-table :test #'equal)) (setf (gethash "H2O" my-hash) "Water") (setf (gethash "HCl" my-hash) "Hydrochloric Acid") (setf (gethash "CO" my-hash) "Carbon Monoxide")

That was actually a hash table, an associative array or
alist is written like this

(defparameter *legs* '((cow . 4) (flamingo . 2) (centipede . 100)))

you can use assoc to do lookups and cons new elements onto it to make it longer.</lang>

Chapel

In Chapel, associative arrays are regular arrays with a non-integer domain - values used as keys into the array. The creation of the domain is independent from the creation of the array, and in fact the same domain can be used for multiple arrays, creating associative arrays with identical sets of keys. When the domain is changed, all arrays that use it will be reallocated.

<lang>// arr is an array of string to int. any type can be used in both places. var keys: domain(string); var arr: [keys] int;

// keys can be added to a domain using +, new values will be initialized to the default value (0 for int) keys += "foo"; keys += "bar"; keys += "baz";

// array access via [] or () arr["foo"] = 1; arr["bar"] = 4; arr("baz") = 6;

// write auto-formats domains and arrays writeln("Keys: ", keys); writeln("Values: ", arr);

// keys can be deleted using - keys -= "bar";

writeln("Keys: ", keys); writeln("Values: ", arr);

// chapel also supports array literals var arr2 = [ "John" => 3, "Pete" => 14 ];

writeln("arr2 keys: ", arr2.domain); writeln("arr2 values: ", arr2);</lang>

Output:
Keys: {foo, bar, baz}
Values: 1 4 6
Keys: {foo, baz}
Values: 1 6
arr2 keys: {John, Pete}
arr2 values: 3 14

Component Pascal

BlackBox Componente Builder
Using a handmade collections module with the following interface
<lang oberon2> DEFINITION Collections;

IMPORT Boxes;

CONST notFound = -1;

TYPE Hash = POINTER TO RECORD cap-, size-: INTEGER; (h: Hash) ContainsKey (k: Boxes.Object): BOOLEAN, NEW; (h: Hash) Get (k: Boxes.Object): Boxes.Object, NEW; (h: Hash) IsEmpty (): BOOLEAN, NEW; (h: Hash) Put (k, v: Boxes.Object): Boxes.Object, NEW; (h: Hash) Remove (k: Boxes.Object): Boxes.Object, NEW; (h: Hash) Reset, NEW END;

HashMap = POINTER TO RECORD cap-, size-: INTEGER; (hm: HashMap) ContainsKey (k: Boxes.Object): BOOLEAN, NEW; (hm: HashMap) ContainsValue (v: Boxes.Object): BOOLEAN, NEW; (hm: HashMap) Get (k: Boxes.Object): Boxes.Object, NEW; (hm: HashMap) IsEmpty (): BOOLEAN, NEW; (hm: HashMap) Keys (): POINTER TO ARRAY OF Boxes.Object, NEW; (hm: HashMap) Put (k, v: Boxes.Object): Boxes.Object, NEW; (hm: HashMap) Remove (k: Boxes.Object): Boxes.Object, NEW; (hm: HashMap) Reset, NEW; (hm: HashMap) Values (): POINTER TO ARRAY OF Boxes.Object, NEW END;

LinkedList = POINTER TO RECORD first-, last-: Node; size-: INTEGER; (ll: LinkedList) Add (item: Boxes.Object), NEW; (ll: LinkedList) Append (item: Boxes.Object), NEW; (ll: LinkedList) AsString (): POINTER TO ARRAY OF CHAR, NEW; (ll: LinkedList) Contains (item: Boxes.Object): BOOLEAN, NEW; (ll: LinkedList) Get (at: INTEGER): Boxes.Object, NEW; (ll: LinkedList) IndexOf (item: Boxes.Object): INTEGER, NEW; (ll: LinkedList) Insert (at: INTEGER; item: Boxes.Object), NEW; (ll: LinkedList) IsEmpty (): BOOLEAN, NEW; (ll: LinkedList) Remove (item: Boxes.Object), NEW; (ll: LinkedList) RemoveAt (at: INTEGER), NEW; (ll: LinkedList) Reset, NEW; (ll: LinkedList) Set (at: INTEGER; item: Boxes.Object), NEW END;

Vector = POINTER TO RECORD size-, cap-: LONGINT; (v: Vector) Add (item: Boxes.Object), NEW; (v: Vector) AddAt (item: Boxes.Object; i: INTEGER), NEW; (v: Vector) Contains (o: Boxes.Object): BOOLEAN, NEW; (v: Vector) Get (i: LONGINT): Boxes.Object, NEW; (v: Vector) IndexOf (o: Boxes.Object): LONGINT, NEW; (v: Vector) Remove (o: Boxes.Object), NEW; (v: Vector) RemoveIndex (i: LONGINT): Boxes.Object, NEW; (v: Vector) Set (i: LONGINT; o: Boxes.Object): Boxes.Object, NEW; (v: Vector) Trim, NEW END;

PROCEDURE NewHash (cap: INTEGER): Hash; PROCEDURE NewHashMap (cap: INTEGER): HashMap; PROCEDURE NewLinkedList (): LinkedList; PROCEDURE NewVector (cap: INTEGER): Vector;

END Collections. </lang> The program: <lang oberon2> MODULE BbtAssociativeArrays; IMPORT StdLog, Collections, Boxes;

PROCEDURE Do*; VAR hm : Collections.HashMap; o : Boxes.Object; keys, values: POINTER TO ARRAY OF Boxes.Object; i: INTEGER;

BEGIN hm := Collections.NewHashMap(1009); o := hm.Put(Boxes.NewString("first"),Boxes.NewInteger(1)); o := hm.Put(Boxes.NewString("second"),Boxes.NewInteger(2)); o := hm.Put(Boxes.NewString("third"),Boxes.NewInteger(3)); o := hm.Put(Boxes.NewString("one"),Boxes.NewInteger(1));

StdLog.String("size: ");StdLog.Int(hm.size);StdLog.Ln;

END Do;

END BbtAssociativeArrays. </lang> Execute:^Q BbtAssociativeArrays.Do
Output:

size:  4

D

<lang d>void main() {

   auto hash = ["foo":42, "bar":100];
   assert("foo" in hash);

}</lang>

Dao

<lang dao>m = { => } # empty, future inserted keys will be ordered h = { : } # empty, future inserted keys will not be ordered

m = { 'foo' => 42, 'bar' => 100 } # with ordered keys h = { 'foo' : 42, 'bar' : 100 } # with unordered keys</lang>

Delphi

<lang Delphi>program AssociativeArrayCreation;

{$APPTYPE CONSOLE}

uses Generics.Collections;

var

 lDictionary: TDictionary<string, Integer>;

begin

 lDictionary := TDictionary<string, Integer>.Create;
 try
   lDictionary.Add('foo', 5);
   lDictionary.Add('bar', 10);
   lDictionary.Add('baz', 15);
   lDictionary.AddOrSetValue('foo', 6); // replaces value if it exists
 finally
   lDictionary.Free;
 end;

end.</lang>

E

<lang e>[].asMap() # immutable, empty ["one" => 1, "two" => 2] # immutable, 2 mappings [].asMap().diverge() # mutable, empty ["one" => 2].diverge(String, float64) # mutable, initial contents,

                                       #   typed (coerces to float)</lang>

Elena

<lang elena>#define system'collections.

// --- Program ---

  1. symbol program =

[

   // 1. Create
   #var aMap := Dictionary new.
   aMap set &key:"key" &value:"foox".
   aMap set &key:"key2" &value:"foo2".
   aMap set &key:"key" &value:"foo".

].</lang>

Erlang

Erlang offers several associative array type data structures, this example uses the dictionary data structure. <lang erlang> -module(assoc). -compile([export_all]).

test_create() ->

   D = dict:new(),
   D1 = dict:store(foo,1,D),
   D2 = dict:store(bar,2,D1),
   print_vals(D2),
   print_vals(dict:store(foo,3,D2)).

print_vals(D) ->

   lists:foreach(fun (K) ->
                         io:format("~p: ~b~n",[K,dict:fetch(K,D)])
                 end, dict:fetch_keys(D)).

</lang>

Output:
32> assoc:test_create().
bar: 2
foo: 1
bar: 2
foo: 3
ok

F#

.NET 3.5 Generic Dictionary (mutable) <lang fsharp> let dic = System.Collections.Generic.Dictionary<string,string>() ;; dic.Add("key","val") ; dic.["key"] <- "new val" ; </lang> Functional dictionary (immutable) <lang fsharp> let d = [("key","val");("other key","other val")] |> Map.ofList let newd = d.Add("new key","new val")

let takeVal (d:Map<string,string>) =

   match d.TryFind("key") with
       | Some(v) -> printfn "%s" v
       | None -> printfn "not found"  

</lang>

Factor

Associative mappings follow the associative protocol. See the docs. Here's an example using a hashtable that can be run in the listener : <lang factor>H{ { "one" 1 } { "two" 2 } } { [ "one" swap at . ]

 [ 2 swap value-at . ]
 [ "three" swap at . ]
 [ [ 3 "three" ] dip set-at ]
 [ "three" swap at . ] } cleave</lang>

Fantom

Associative arrays are called 'maps' in Fantom:

<lang fantom> class Main {

 public static Void main ()
 {
   // create a map which maps Ints to Strs, with given key-value pairs
   Int:Str map := [1:"alpha", 2:"beta", 3:"gamma"]
   // create an empty map
   Map map2 := [:]
   // now add some numbers mapped to their doubles
   10.times |Int i| 
   { 
     map2[i] = 2*i 
   }
 }

} </lang>

Forth

Works with: GNU Forth version 0.6.2

The Forth dictionary is normally only used for function and symbol definitions, but you can also define separate wordlists for holding functions or data. There is no special syntax in the language for this, but you can define your own. All of Forth's defining words are available for adding things to the wordlist, but CREATE is most generic.

<lang forth>: get ( key len table -- data ) \ 0 if not present

 search-wordlist if
   >body @
 else 0 then ;
put ( data key len table -- )
 >r 2dup r@ search-wordlist if
   r> drop nip nip
   >body !
 else
   r> get-current >r set-current      \ switch definition word lists
   nextname create ,
   r> set-current
 then ;
wordlist constant bar

5 s" alpha" bar put 9 s" beta" bar put 2 s" gamma" bar put s" alpha" bar get . \ 5 8 s" Alpha" bar put \ Forth dictionaries are normally case-insensitive s" alpha" bar get . \ 8</lang> This is not necessarily a good option in all Forths, as the dictionary may be implemented as a simple linked list (normally not a problem because the dictionary is only used for compiling and interactive interpretation). GNU Forth and many other hosted Forths use hash tables for the dictionary, so this is a fine choice. If you need case-sensitive keys, GNU Forth has table and table-find, replacing wordlist and search-wordlist, respectively.

(The use of nextname ( str len -- ) is a GNU Forth extension to create; there is no means in the ANS standard to use a string on the stack to create a dictionary entry.)

Hashtable for mapping strings to integer <lang forth>include ffl/hct.fs

\ Create a hash table 'table' in the dictionary with a starting size of 10

10 hct-create htable

\ Insert entries

5 s" foo" htable hct-insert

10 s" bar" htable hct-insert 15 s" baz" htable hct-insert

\ Get entry from the table

s" bar" htable hct-get [IF]

 .( Value:) . cr

[ELSE]

 .( Entry not present.) cr

[THEN]</lang>

Go

Allowable key types are those with == and != operators. This includes is boolean, numeric, string, pointer, channel, and interface types. It also includes structs and arrays containing only these types. Disallowed as map keys are all slice, function, and map types. <lang go>// declare a nil map variable, for maps from string to int var x map[string] int

// make an empty map x = make(map[string] int)

// make an empty map with an initial capacity x = make(map[string] int, 42)

// set a value x["foo"] = 3

// make a map with a literal x = map[string] int {

 "foo": 2, "bar": 42, "baz": -1,

}</lang>

Groovy

Create an empty map and add values <lang groovy>map = [:] map[7] = 7 map['foo'] = 'foovalue' map.put('bar', 'barvalue') map.moo = 'moovalue'

assert 7 == map[7] assert 'foovalue' == map.foo assert 'barvalue' == map['bar'] assert 'moovalue' == map.get('moo')</lang>

Create a pre-populated map and verify values <lang groovy>map = [7:7, foo:'foovalue', bar:'barvalue', moo:'moovalue']

assert 7 == map[7] assert 'foovalue' == map.foo assert 'barvalue' == map['bar'] assert 'moovalue' == map.get('moo')</lang>

Harbour

Create an empty array and add values: <lang harbour> arr := hb_Hash()

  arr[10] := "Val_10"
  arr['foo'] := "foovalue"</lang>

Create and initialize array: <lang harbour> arr := hb_Hash( 10, "Val_10", "foo", "foovalue" )

  // or
  arr := { 10 => "Val_10", "foo" => "foovalue" }

</lang>

Haskell

Binary trees:

Works with: GHC

<lang haskell>import Data.Map

dict = fromList [("key1","val1"), ("key2","val2")]

ans = Data.Map.lookup "key2" dict -- evaluates to "val2" </lang>

It is also possible to use association lists (lists of pairs). It is inefficient (O(n) lookup), but simple. <lang haskell>dict = [("key1","val1"), ("key2","val2")]

ans = lookup "key2" dict -- evaluates to Just "val2" </lang>

GHC also has an imperative hash table implementation in the Data.HashTable module. However, it is cumbersome to use because it is in the IO monad, and and it requires the user to supply a hash function.

Icon and Unicon

Icon and Unicon associative arrays are called tables. Any value may be used as a key including complex structures. Tables can have default values and they have no inherent size limitation growing from empty to whatever size is needed.

<lang icon>procedure main()

  local t
  t := table() 
  t["foo"] := "bar"
  write(t["foo"])

end</lang>

Inform 7

The Inform 7 equivalent of an associative array is a relation between values.

Static relation

<lang inform7>Hash Bar is a room.

Connection relates various texts to one number. The verb to be connected to implies the connection relation.

"foo" is connected to 12. "bar" is connected to 34. "baz" is connected to 56.

When play begins: [change values] now "bleck" is connected to 78; [check values] if "foo" is connected to 12, say "good."; if "bar" is not connected to 56, say "good."; [retrieve values] let V be the number that "baz" relates to by the connection relation; say "'baz' => [V]."; end the story.</lang>

Dynamic relation

<lang inform7>Hash Bar is a room.

When play begins: let R be a various-to-one relation of texts to numbers; [initialize the relation] now R relates "foo" to 12; now R relates "bar" to 34; now R relates "baz" to 56; [check values] if R relates "foo" to 12, say "good."; if R does not relate "bar" to 56, say "good."; [retrieve values] let V be the number that "baz" relates to by R; say "'baz' => [V]."; end the story.</lang>

Ioke

<lang ioke>{a: "a", b: "b"}</lang>

J

<lang J>coclass 'assocArray'

   encode=: 'z', (a.{~;48 65 97(+ i.)&.>10 26 26) {~ 62x #.inv 256x #. a.&i.
   get=: ".@encode
   has=: 0 <: nc@<@encode
   set=:4 :'(encode x)=:y'</lang>

Example use:

<lang j> example=: conew 'assocArray'

  'foo' set__example 1 2 3

1 2 3

  'bar' set__example 4 5 6

4 5 6

  get__example 'foo'

1 2 3

  has__example 'foo'

1

  bletch__example=: 7 8 9
  get__example 'bletch'

7 8 9

  codestroy__example</lang>

Java

Works with: Java version 1.5+

Defining the Map: <lang java5>Map<String, Integer> map = new HashMap<String, Integer>(); map.put("foo", 5); map.put("bar", 10); map.put("baz", 15); map.put("foo", 6);</lang> "Putting" a value for a key that already exists ("map.put("foo", 6)" in this example) will replace and return the old value for the key.

Initializing a Map as a class member: <lang java5>public static Map<String, Integer> map = new HashMap<String, Integer>(){{

  put("foo", 5);
  put("bar", 10);
  put("baz", 15);
  put("foo", 6);

}};</lang> Retrieving a value: <lang java5>map.get("foo"); // => 5 map.get("invalid"); // => null</lang> Note that it is possible to put null as a value, so null being returned by get is not sufficient for determining that the key is not in the Map. There is a containsKey method for that.

Iterate over keys: <lang java5>for (String key: map.keySet())

  System.out.println(key);</lang>

Iterate over values: <lang java5>for (int value: map.values())

  System.out.println(value);</lang>

Iterate over key, value pairs: <lang java5>for (Map.Entry<String, Integer> entry: map.entrySet())

  System.out.println(entry.getKey() + " => " + entry.getValue());</lang>

JavaScript

Javascript does not have associative arrays, however Objects (which are just an unordered bundle of name/value pairs) can be used like associative arrays. Javascript Arrays, which are just objects with a special length property and some handy inherited methods (such as pop, shift, slice, etc.), can be used as associative arrays too. However, by convention, Objects are most often used. Arrays are only used where access by numeric index is needed (such as when accessing values in numeric order) and use of the special length property is helpful (such as iterating from zero to array.length).

Javascript object property names (keys) are strings. Other types and expressions can be used with square bracket notation, they are evaluated and converted to strings and the result used as the property name: <lang javascript>var assoc = {}; assoc['foo'] = 'bar'; assoc['another-key'] = 3; assoc.thirdKey = 'we can also do this!'; // dot notation can be used if the property name

                                        // is a valid identifier

assoc[2] = 'the index here is the string "2"'; assoc[null] = 'this also works'; assoc[(function(){return 'expr';})()] = 'Can use expressions too';

for (var key in assoc) {

 if (assoc.hasOwnProperty(key)) {
   alert('key:"' + key + '", value:"' + assoc[key] + '"');
 }

}</lang>

The hasOwnProperty method can be used to ensure that the property is on the object and not inherited.

The above associative array can also be constructed using javascript's object literal notation <lang javascript>var assoc = {

 foo: 'bar',
 'another-key': 3 //the key can either be enclosed by quotes or not

};</lang>

Using quotes on property names avoids potential collisions with reserved JavaScript key words. http://www.quackit.com/javascript/javascript_reserved_words.cfm

The in operator can be used to check whether an object has a property with a particular name: <lang javascript>'foo' in assoc // true</lang>

Julia

We build dictionaries associating to some characters their code points, by listing the key/value pairs, through a dictionary comprehension, by creating an empty dictionary and filling it, finally by using the specific syntax associated to typed dictionaries. <lang julia>julia> hash = {'a' => 97, 'b' => 98} # list keys/values {'a'=>97,'b'=>98}

julia> hash = {c => int(c) for c = 'a':'d'} # dict comprehension {'a'=>97,'c'=>99,'b'=>98,'d'=>100}

julia> hash['é'] = 233 ; hash # add an element {'a'=>97,'c'=>99,'b'=>98,'é'=>233,'d'=>100}

julia> hash = Dict() # create an empty dict Dict{Any,Any}()

julia> for c = 'a':'d' hash[c] = int(c) end ; hash # fill it {'a'=>97,'c'=>99,'b'=>98,'d'=>100}

julia> hash = (Char=>Int64)['a' => 97, 'b' => 98] # create a typed dict ['a'=>97,'b'=>98]

julia> hash["a"] = 1 # type mismatch ERROR: no method convert(Type{Char}, ASCIIString)

in setindex! at dict.jl:533</lang>

K

Keys in a dictionary must be symbols (`symbol). <lang K> / creating an dictionary

  d1:.((`foo;1); (`bar;2); (`baz;3))
  / extracting a value
  d1[`bar]

2</lang>

Another approach. <lang K> d2: .() / create empty dictionary

  d2[`"zero"]:0
  d2[`"one"]:1
  d2[`"two"]:2
  d2

.((`zero;0;)

 (`one;1;)
 (`two;2;))</lang>

Extracting the keys and values. <lang K> !d2 / the keys `zero `one `two

  d2[]             /  the values

0 1 2</lang>

Lang5

<lang lang5>: dip swap '_ set execute _ ; : nip swap drop ;

first 0 extract nip ; : second 1 extract nip ;
assoc-in swap keys eq ;
assoc-index' over keys swap eq [1] index collapse ;
at swap assoc-index' subscript collapse second ;
delete-at swap assoc-index' first remove ;
keys 1 transpose first ;
set-at
   over 'dup dip assoc-in '+ reduce if 'dup dip delete-at then
   "swap 2 compress 1 compress" dip swap append ;

'foo 5 10 'bar rot set-at 'bar over at . 'hello 'bar rot set-at 20 'baz rot set-at .</lang>

Lasso

<lang Lasso>// In Lasso associative arrays are called maps

// Define an empty map local(mymap = map)

// Define a map with content local(mymap = map( 'one' = 'Monday', '2' = 'Tuesday', 3 = 'Wednesday' ))

// add elements to an existing map

  1. mymap -> insert('fourth' = 'Thursday')

// retrieve a value from a map

  1. mymap -> find('2') // Tuesday

'
'

  1. mymap -> find(3) // Wednesday, found by the key not the position

'
'

// Get all keys from a map

  1. mymap -> keys // staticarray(2, fourth, one, 3)

'
'

// Iterate thru a map and get values with v in #mymap do {^ #v '
' ^} // Tuesday
Thursday
Monday
Wednesday

// Perform actions on each value of a map

  1. mymap -> foreach => {

#1 -> uppercase #1 -> reverse }

  1. mymap // map(2 = YADSEUT, fourth = YADSRUHT, one = YADNOM, 3 = YADSENDEW)</lang>

LFE

<lang lisp> (let* ((my-dict (: dict new))

      (my-dict (: dict store 'key-1 '"value 1" my-dict))
      (my-dict (: dict store 'key-2 '"value 2" my-dict)))
 (: io format '"size: ~p~n" (list (: dict size my-dict)))
 (: io format '"some data: ~p~n" (list (: dict fetch 'key-1 my-dict))))

</lang>

Liberty BASIC

Needs the sublist library from http://basic.wikispaces.com/SubList+Library since LB does not have built-in associative arrays. <lang lb> data "red", "255 50 50", "green", "50 255 50", "blue", "50 50 255" data "my fave", "220 120 120", "black", "0 0 0"

myAssocList$ =""

for i =1 to 5

   read k$
   read dat$
   call sl.Set myAssocList$, k$, dat$

next i

print " Key 'green' is associated with data item "; sl.Get$( myAssocList$, "green") </lang>

Key 'green' is associated with data item 50 255 50

UCB Logo has "property lists" which associate names with values. They have their own namespace. <lang logo>pprop "animals "cat 5 pprop "animals "dog 4 pprop "animals "mouse 11 print gprop "animals "cat  ; 5 remprop "animals "dog show plist "animals  ; [mouse 11 cat 5]</lang>

Lua

Lua tables are Hashes <lang lua>hash = {} hash[ "key-1" ] = "val1" hash[ "key-2" ] = 1 hash[ "key-3" ] = {}</lang> Returns nil on unknown key.

Maple

Maple tables are hashed arrays. A table can be constructed by using the table constructor. <lang Maple>> T := table( [ (2,3) = 4, "foo" = 1, sin(x) = cos(x) ] );

         T := table(["foo" = 1, sin(x) = cos(x), (2, 3) = 4])

> T[2,3];

                                  4

> T[sin(x)];

                                cos(x)

> T["foo"];

                                  1</lang>

New entries are added by assignment. <lang Maple>> T[ "bar" ] := 2;

                            T["bar"] := 2

> T[ "bar" ];

                                  2</lang>

Entries can be removed as follows. <lang Maple>> T[ "foo" ] := evaln( T[ "foo" ] );

                         T["foo"] := T["foo"]

> T[ "foo" ];

                               T["foo"]</lang>

(The latter output indicates that T["foo"] is an unassigned name.)

Mathematica

<lang Mathematica>a[2] = "string"; a["sometext"] = 23;</lang>

MATLAB / Octave

Associative arrays are called structs. The following methods of creating hash are equivalent.

<lang Matlab> hash.a = 1;

  hash.b = 2;
  hash.C = [3,4,5];   </lang>

alternatively <lang Matlab> hash = [];

  hash = setfield(hash,'a',1); 	
  hash = setfield(hash,'b',2); 	
  hash = setfield(hash,'C',[3,4,5]);  </lang>

or <lang Matlab> hash.('a') = 1;

  hash.('b') = 2; 	
  hash.('C') = [3,4,5];   </lang>
>>    disp(hash) 
  scalar structure containing the fields:
    a =  1
    b =  2
    C =

       3   4   5

Limitation: key must be a string containing only characters, digits and underscores, and the key string must start with a character.

Maxima

<lang maxima>/* No need to declare anything, undeclared arrays are hashed */

h[1]: 6; h[9]: 2;

arrayinfo(h); [hashed, 1, [1], [9]]</lang>

Nemerle

This demonstrates two of several constructors, initializing the hashtable with a list of tuples or just specifying an initial capacity. <lang Nemerle>using System; using System.Console; using Nemerle.Collections;

module AssocArray {

   Main() : void
   {
       def hash1 = Hashtable([(1, "one"), (2, "two"), (3, "three")]);
       def hash2 = Hashtable(3);
       foreach (e in hash1)
           hash2[e.Value] = e.Key;
       WriteLine("Enter 1, 2, or 3:");
       def entry = int.Parse(ReadLine());
       WriteLine(hash1[entry]);
   }

}</lang>

NetRexx

<lang NetRexx>/* NetRexx */

options replace format comments java crossref savelog symbols

key0 = '0' key1 = 'key0'

hash = '.' -- Initialize the associative array 'hash' to '.' hash[key1] = 'value0' -- Set a specific key/value pair

say '<hash key="'key0'" value="'hash[key0]'" />' -- Display a value for a key that wasn't set say '<hash key="'key1'" value="'hash[key1]'" />' -- Display a value for a key that was set </lang>

Output:

<hash key="0" value="." />
<hash key="key0" value="value0" />

Nimrod

<lang nimrod> import tables

var t: TTable[int,string] = initTable[int,string]()

t[1] = "one" t[2] = "two" t[3] = "three" t.add(4,"four")

echo "t has " & $t.len & " elements"

echo "has t key 4? " & $t.hasKey(4) echo "has t key 5? " & $t.hasKey(5)

  1. iterate keys

echo "key iteration:" for k in t.keys:

 echo "at[" & $k & "]=" & t[k]
  1. itetate pairs

echo "pair iteration:" for k,v in t.pairs:

 echo "at[" & $k & "]=" & v

</lang> Output:

t has 4 elements
has t key 4? true
has t key 5? false
key iteration:
at[1]=one
at[2]=two
at[3]=three
at[4]=four
pair iteration:
at[1]=one
at[2]=two
at[3]=three
at[4]=four

Objective-C

Works with: Cocoa

and

Works with: GNUstep

You can use a NSDictionary to create an immutable hash. A dictionary can contain only objects; if you want store non objects like integer, you have to box it in NSNumber. <lang objc>NSDictionary *dict = [NSDictionary dictionaryWithObjectsAndKeys:

   @"Joe Doe", @"name",
   [NSNumber numberWithUnsignedInt:42], @"age",
   [NSNull null], @"extra",
   nil];</lang>

The same as the above with the new literal syntax in clang 3.1+ / Apple LLVM Compiler 4.0+ (XCode 4.4+) : <lang objc>NSDictionary *dict = @{

   @"name": @"Joe Doe",
   @"age": @42,
   @"extra": [NSNull null],
   };</lang>

To create a mutable dictionary, use NSMutableDictionary: <lang objc>NSMutableDictionary *dict = [NSMutableDictionary dictionary]; [dict setObject:@"Joe Doe" forKey:@"name"]; [dict setObject:[NSNumber numberWithInt:42] forKey:@"age"];</lang>

You can access value with objectForKey:. If a key does not exists, nil is returned. <lang objc>NSString *name = [dict objectForKey:@"name"]; unsigned age = [dict objectForKey:@"age"] unsignedIntValue]; id missing = [dict objectForKey:@"missing"];</lang>

Objeck

Object parameters must be implicitly casted to the types expected by the method that's called.

Associative map

<lang objeck>

  1. create map

map := StringMap->New();

  1. insert

map->Insert("two", IntHolder->New(2)->As(Base)); map->Insert("thirteen", IntHolder->New(13)->As(Base)); map->Insert("five", IntHolder->New(5)->As(Base)); map->Insert("seven", IntHolder->New(7)->As(Base));

  1. find

map->Find("thirteen")->As(IntHolder)->GetValue()->PrintLine(); map->Find("seven")->As(IntHolder)->GetValue()->PrintLine(); </lang>

Hash table

<lang objeck>

  1. create map

map := StringHash->New();

  1. insert

map->Insert("two", IntHolder->New(2)->As(Base)); map->Insert("thirteen", IntHolder->New(13)->As(Base)); map->Insert("five", IntHolder->New(5)->As(Base)); map->Insert("seven", IntHolder->New(7)->As(Base));

  1. find

map->Find("thirteen")->As(IntHolder)->GetValue()->PrintLine(); map->Find("seven")->As(IntHolder)->GetValue()->PrintLine(); </lang>

OCaml

Hash table

A simple idiom to create a hash table mapping strings to integers: <lang ocaml>let hash = Hashtbl.create 0;; List.iter (fun (key, value) -> Hashtbl.add hash key value)

 ["foo", 5; "bar", 10; "baz", 15];;</lang>

To retrieve a value: <lang ocaml>let bar = Hashtbl.find hash "bar";; (* bar = 10 *)</lang> To retrieve a value, returning a default if the key is not found: <lang ocaml>let quux = try Hashtbl.find hash "quux" with Not_found -> some_value;;</lang>

Binary tree

A simple idiom to create a persistent binary tree mapping strings to integers: <lang ocaml>module String = struct

  type t = string
  let compare = Pervasives.compare

end module StringMap = Map.Make(String);;

let map =

 List.fold_left
   (fun map (key, value) -> StringMap.add key value map)
   StringMap.empty
   ["foo", 5; "bar", 10; "baz", 15]
</lang>

To retrieve a value: <lang ocaml>let bar = StringMap.find "bar" map;; (* bar = 10 *)</lang> To retrieve a value, returning a default if the key is not found: <lang ocaml>let quux = try StringMap.find "quux" map with Not_found -> some_value;;</lang>

Association list

Some list functions allow you to use a list as an associative map, although the access time is O(N) so a Hashtbl or binary tree should be used for larger data-sets. <lang Ocaml>let dict = ["foo", 5; "bar", 10; "baz", 15]

(* retrieve value *) let bar_num = try List.assoc "bar" dict with Not_found -> 0;;

(* see if key exists *) print_endline (if List.mem_assoc "foo" dict then "key found" else "key missing")</lang>

ooRexx

ooRexx has multiple classes that create index-to-item associative relationships.

  • Directory -- a mapping for a string index to an object instance
  • Table -- a mapping for an object index (of any class) to an object instance. Index equality is determined by the "==" method.
  • Relation -- a one-to-many mapping for an object index (of any class) to object instances. Index equality is determined by the "==" method.
  • IdentityTable -- a mapping for an object index (of any class) to an object instance. Index equality is determined by unique object identity rather than equality.
  • Stem -- The class backing ooRexx stem variables, which is also a first-class collection class.

All of the MapCollections are very similar in usage. We'll use Directory for the examples here.

Defining the map: <lang ooRexx>map = .directory~new map["foo"] = 5 map["bar"] = 10 map["baz"] = 15 map["foo"] = 6 </lang> "Putting" a value for a key that already exists ("map["foo"] = 6" in this example) will replace and return the old value for the key.

Retrieving a value: <lang ooRexx>item = map["foo"] -- => 6 item = map["invalid"] -- => .nil</lang> Note that it is possible to put .nil as a value, so .nil being returned as a value is not sufficient for determining that the key is not in the collection. There is a hasIndex method for that.

Iterate over keys: <lang ooRexx>loop key over map

  say key

end </lang> Iterate over values: <lang ooRexx>loop value over map~allItems

   say value

end </lang> Iterate over key, value pairs: <lang ooRexx> s = map~supplier loop while s~available

   say s~index "=>" s~item
   s~next

end </lang>

OxygenBasic

Not very efficient but the 'find' method could be optimised very easily. <lang oxygenbasic> def n 200

Class AssociativeArray '=====================

 indexbase 1
 string s[n]
 sys    max
 method find(string k) as sys
 sys i,e
 e=max*2
 for i=1 to e step 2
   if k=s[i] then return i
 next
 end method
 method dat(string k) as string
 sys i=find(k)
 if i then return s[i+1]
 end method
 method dat(string k, d) as sys
 sys i=find(k)
 if i=0 then
   if max>=n
     print "Array overflow" : return 0
   end if 
   max+=1
   i=max*2-1
   s[i]=k
 end if
 s[i+1]=d
 return i
 end method

end class


'==== 'TEST '====

AssociativeArray A

'fill A.s<={"shoes","LC1", "ships","LC2", "sealingwax","LC3", "cabbages","LC4", "kings","LC5"} A.max=5 'access print A.dat("ships") 'result LC2 A.dat("computers")="LC99" ' print A.dat("computers") 'result LC99 </lang>

Oz

A mutable map is called a 'dictionary' in Oz: <lang oz>declare

 Dict = {Dictionary.new}

in

 Dict.foo := 5
 Dict.bar := 10
 Dict.baz := 15
 Dict.foo := 20
 {Inspect Dict}</lang>

'Records' can be consideres immutable maps: <lang oz>declare

 Rec = name(foo:5 bar:10 baz:20)

in

 {Inspect Rec}</lang>

Perl

Hash

Definition: <lang perl># using => key does not need to be quoted unless it contains special chars my %hash = (

 key1 => 'val1',
 'key-2' => 2,
 three => -238.83,
 4 => 'val3',

);

  1. using , both key and value need to be quoted if containing something non-numeric in nature

my %hash = (

 'key1', 'val1',
 'key-2', 2,
 'three', -238.83,
 4, 'val3',

);</lang>

Use: <lang perl>print $hash{key1};

$hash{key1} = 'val1';

@hash{'key1', 'three'} = ('val1', -238.83);</lang>

HashRef

Definition: <lang perl>my $hashref = {

key1 => 'val1',
 'key-2' => 2,
 three => -238.83,
 4 => 'val3',

}</lang>

Use: <lang perl>print $hash->{key1};

$hash->{key1} = 'val1';

@hash->{'key1', 'three'} = ('val1', -238.83);</lang>

Perl 6

Works with: Rakudo version #22 "Thousand Oaks"

The fatarrow, =>, is no longer just a quoting comma; it now constructs a Pair object. But you can still define a hash with an ordinary list of even length.

<lang perl6>my %h1 = key1 => 'val1', 'key-2' => 2, three => -238.83, 4 => 'val3'; my %h2 = 'key1', 'val1', 'key-2', 2, 'three', -238.83, 4, 'val3';</lang>

Creating a hash from two lists using a metaoperator.

<lang perl6>my @a = 1..5; my @b = 'a'..'e'; my %h = @a Z=> @b;</lang>

Hash elements and hash slices now use the same sigil as the whole hash. This is construed as a feature. Curly braces no longer auto-quote, but Perl 6's qw (shortcut < ... >) now auto-subscripts.

<lang perl6>say %h1{'key1'}; say %h1<key1>; %h1<key1> = 'val1'; %h1<key1 three> = 'val1', -238.83;</lang>

Special syntax is no longer necessary to access a hash stored in a scalar.

<lang perl6>my $h = {key1 => 'val1', 'key-2' => 2, three => -238.83, 4 => 'val3'}; say $h<key1>;</lang>

PHP

<lang php>$array = array(); $array['foo'] = 'bar'; $array['bar'] = 'foo';

echo($array['foo']); // bar echo($array['moo']); // Undefined index

//alternative (inline) way $array2 = array('fruit' => 'apple',

               'price' => 12.96,
               'colour' => 'green');</lang>

Iterate over key/value

<lang php>foreach($array as $key => $value) {

  echo "Key: $key Value: $value";

}</lang>

PicoLisp

Here we use symbol properties. Other possiblities could be index trees or association lists.

<lang PicoLisp>(put 'A 'foo 5) (put 'A 'bar 10) (put 'A 'baz 15) (put 'A 'foo 20)

(get 'A 'bar)

-> 10

(get 'A 'foo)

-> 20

(show 'A)

A NIL

  foo 20
  bar 10
  baz 15</lang>

PL/SQL

PL/SQL uses table records as associative arrays: <lang PL/SQL>DECLARE

   type assocArrayType is record (
       myShape VARCHAR2(20),
       mySize number,
       isActive BOOLEAN
   );
   assocArray assocArrayType;

BEGIN

   assocArray.myShape := 'circle';
   dbms_output.put_line ('assocArray.myShape: ' || assocArray.myShape);
   dbms_output.put_line ('assocArray.mySize: ' || assocArray.mySize);

END; /</lang>

Pop11

<lang pop11>;;; Create expandable hash table of initial size 50 and with default

value 0 (default value is returned when the item is absent).

vars ht = newmapping([], 50, 0, true);

Set value corresponding to string 'foo'

12 -> ht('foo');

print it

ht('foo') =>

Set value corresponding to vector {1 2 3}

17 -> ht({1 2 3});

print it

ht({1 2 3}) =>

Set value corresponding to number 42 to vector {0 1}

{0 1} -> ht(42);

print it

ht(42) =>

Iterate over keys printing keys and values.
appproperty(ht,
   procedure (key, value);
     printf(value, '%p\t');
     printf(key, '%p\n');
    endprocedure);</lang>

PostScript

<lang postscript>

<</a 100 /b 200 /c 300>>
dup /a get =

</lang>

PowerShell

Am empty hash table can be created with <lang powershell>$hashtable = @{}</lang> A hash table can be initialized with key/value pairs: <lang powershell>$hashtable = @{

   "key1" = "value 1"
   "key2" = 5

}</lang> Individual values can be assigned or replaced by either using a property-style access method or indexing into the table with the given key: <lang powershell>$hashtable.foo = "bar" $hashtable['bar'] = 42 $hashtable."a b" = 3.14 # keys can contain spaces, property-style access needs quotation marks, then $hashtable[5] = 8 # keys don't need to be strings</lang> Similarly, values can be retrieved using either syntax: <lang powershell>$hashtable.key1 # value 1 $hashtable['key2'] # 5</lang>

A shortcut to CREATE an OBJECT with empty fields: <lang powershell>$addressObj= "" | Select-Object nameStr,street1Str,street2Str,cityStr,stateStr,zipStr $addressObj.nameStr = [string]"FirstName LastName" $addressObj.street1Str= [string]"1 Main Street" $addressObj.cityStr= [string]"Washington DC" $addressObj.stateStr= [string]"DC" $addressObj.zipStr= [string]"20009" </lang>

Prolog

We use the facts table for this purpose. <lang prolog> mymap(key1,value1). mymap(key2,value2).

?- mymap(key1,V).

  V = value1

</lang>

PureBasic

Hashes are a built-in type called Map in Purebasic.

<lang purebasic>NewMap dict.s() dict("country") = "Germany" Debug dict("country")</lang>

Python

Hashes are a built-in type called dictionaries (or mappings) in Python.

<lang python>hash = dict() # 'dict' is the dictionary type. hash = dict(red="FF0000", green="00FF00", blue="0000FF") hash = { 'key1':1, 'key2':2, } value = hash[key]</lang>

Numerous methods exist for the mapping type http://docs.python.org/lib/typesmapping.html

<lang python># empty dictionary d = {} d['spam'] = 1 d['eggs'] = 2

  1. dictionaries with two keys

d1 = {'spam': 1, 'eggs': 2} d2 = dict(spam=1, eggs=2)

  1. dictionaries from tuple list

d1 = dict([('spam', 1), ('eggs', 2)]) d2 = dict(zip(['spam', 'eggs'], [1, 2]))

  1. iterating over keys

for key in d:

 print key, d[key]
  1. iterating over (key, value) pairs

for key, value in d.iteritems():

 print key, value</lang>

Note: Python dictionary keys can be of any arbitrary "hashable" type. The following contains several distinct key value pairs:

<lang python>myDict = { '1': 'a string', 1: 'an integer', 1.0: 'a floating point number', (1,): 'a tuple' }</lang>

(Some other languages such as awk and Perl evaluate all keys such that numerically or lexically equivalent expressions become identical entries in the hash or associative array).

User defined classes which implement the __hash__() special method can also be used as dictionary keys. It's the responsibility of the programmer to ensure the properties of the resultant hash value. The instance object's unique ID (accessible via the id() built-in function) is commonly used for this purpose.

R

R lacks a native representation of key-value pairs, but different structures allow named elements, which provide similar functionality.

environment example

<lang r>> env <- new.env() > env"x" <- 123 > env"x"</lang>

[1] 123

<lang r>> index <- "1" > envindex <- "rainfed hay" > envindex</lang>

[1] "rainfed hay"

<lang r>> env"1"</lang>

[1] "rainfed hay"

<lang r>> env</lang>

<environment: 0xb7cd560>

<lang r>> print(env)</lang>

<environment: 0xb7cd560>

vector example

<lang r>> x <- c(hello=1, world=2, "!"=3) > print(x)</lang>

hello world     ! 
    1     2     3

<lang r>> print(names(x))</lang>

[1] "hello" "world" "!"

<lang r>print(unname(x))</lang>

[1] 1 2 3

list example

<lang R>> a <- list(a=1, b=2, c=3.14, d="xyz") > print(a)</lang>

$a
[1] 1

$b
[1] 2

$c
[1] 3.14

$d
[1] "xyz"

<lang r>> print(names(a))</lang>

[1] "a" "b" "c" "d"

<lang r>> print(unname(a))</lang>

[[1]]
[1] 1

[[2]]
[1] 2

[[3]]
[1] 3.14

[[4]]
[1] "xyz"

Racket

In Racket, hash tables are natively supported and encouraged over association lists in many cases. Data structures that behave like dictionaries support a unified interface.

<lang racket>

  1. lang racket
a-lists

(define a-list '((a . 5) (b . 10))) (assoc a-list 'a) ; => '(a . 5)

hash tables

(define table #hash((a . 5) (b . 10))) (hash-ref table 'a) ; => 5

dictionary interface

(dict-ref a-list 'a) ; => 5 (dict-ref table 'a)  ; => 5 </lang>

Raven

<lang raven>{ 'a' 1 'b' 2 'c' 3.14 'd' 'xyz' } as a_hash a_hash print

hash (4 items)

a => 1
b => 2
c => 3.14
d => "xyz"

a_hash 'c' get # get key 'c' 6.28 a_hash 'c' set # set key 'c' a_hash.'c' # get key 'c' shorthand 6.28 a_hash:'c' # set key 'c' shorthand</lang>

Null is returned for unknown keys.

Retro

<lang Retro>with hashTable' hashTable constant table

table %{ first = 100 }% table %{ second = "hello, world!" keepString %}

table @" first" putn table @" second" puts</lang>

REXX

version 1

Associative arrays are called stem variables in Rexx. <lang Rexx>/* Rexx */

key0 = '0' key1 = 'key0'

stem. = '.' /* Initialize the associative array 'stem' to '.' */ stem.key1 = 'value0' /* Set a specific key/value pair */

Say '<stem key="'key0'" value="'stem.key0'" />' /* Display a value for a key that wasn't set */ Say '<stem key="'key1'" value="'stem.key1'" />' /* Display a value for a key that was set */</lang>

version 2

<lang rexx>/*REXX program shows how to set/display values for an associative array.*/ /*┌────────────────────────────────────────────────────────────────────┐

 │ The (below) two REXX statements aren't really necessary, but it    │
 │ shows how to define any and all entries in a associative array so  │
 │ that if a "key" is used that isn't defined, it can be displayed to │
 │ indicate such, or its value can be checked to determine if a       │
 │ particular associative array element has been set (defined).       │
 └────────────────────────────────────────────────────────────────────┘*/

stateC.=' [not defined yet] ' /*sets any/all state capitols. */ stateN.=' [not defined yet] ' /*sets any/all state names. */ /*┌────────────────────────────────────────────────────────────────────┐

 │ In REXX, when a "key" is used, it's normally stored (internally)   │
 │ as uppercase characters (as in the examples below).  Actually, any │
 │ characters can be used,  including blank(s) and non-displayable    │
 │ characters  (including '00'x, 'ff'x, commas, periods, quotes, ...).│
 └────────────────────────────────────────────────────────────────────┘*/

stateC.ca='Sacramento'; stateN.ca='California' stateC.nd='Bismarck'  ; stateN.nd='North Dakota' stateC.mn='St. Paul'  ; stateN.mn='Minnesota' stateC.dc='Washington'; stateN.dc='District of Columbia' stateC.ri='Providence'; stateN.ri='Rhode Island and Providence Plantations'

say 'capital of California is' stateC.ca say 'capital of Oklahoma is' stateC.ok yyy='RI' say 'capital of' stateN.yyy "is" stateC.yyy

                                      /*stick a fork in it, we're done.*/</lang>

output

capital of California is Sacramento
capital of Oklahoma is  [not defined yet]
capital of Rhode Island and Providence Plantations is Providence

RLaB

Associative arrays are called lists in RLaB. <lang RLaB> x = <<>>; // create an empty list using strings as identifiers. x.red = strtod("0xff0000"); // RLaB doesn't deal with hexadecimal numbers directly. Thus we x.green = strtod("0x00ff00"); // convert it to real numbers using strtod function. x.blue = strtod("0x0000ff");

// print content of a list for (i in members(x)) { printf("%8s %06x\n", i, int(x.[i])); } // we have to use int function to convert reals to integers so "%x" format works

// deleting a key/value clear (x.red);

// we can also use numeric identifiers in the above example xid = members(x); // this is a string array

for (i in 1:length(xid)) { printf("%8s %06x\n", xid[i], int(x.[ xid[i] ])); }

// Finally, we can use numerical identifiers // Note: members function orders the list identifiers lexicographically, in other words // instead of, say, 1,2,3,4,5,6,7,8,9,10,11 members returns 1,10,11,2,3,4,5,6,7,8,9 x = <<>>; // create an empty list for (i in 1:5) { x.[i] = i; } // assign to the element of list i the real value equal to i.

</lang>

Ruby

A hash object that returns nil for unknown keys <lang ruby>hash={} hash[666]='devil' hash[777] # => nil hash[666] # => 'devil'</lang>

A hash object that returns 'unknown key' for unknown keys <lang ruby>hash=Hash.new('unknown key') hash[666]='devil' hash[777] # => 'unknown key' hash[666] # => 'devil'</lang>

A hash object that returns "unknown key #{key}" for unknown keys <lang ruby>hash=Hash.new{|h,k| "unknown key #{k}"} hash[666]='devil' hash[777] # => 'unknown key 777' hash[666] # => 'devil'</lang>

A hash object that adds "key #{key} was added at #{Time.now}" to the hash the first time an unknown key is seen <lang ruby>hash=Hash.new{|h,k|h[k]="key #{k} was added at #{Time.now}"} hash[777] # => 'key 777 was added at Sun Apr 03 13:49:57 -0700 2011' hash[555] # => 'key 555 was added at Sun Apr 03 13:50:01 -0700 2011' hash[777] # => 'key 777 was added at Sun Apr 03 13:49:57 -0700 2011'</lang>

Sather

<lang sather>class MAIN is

 main is
   -- creation of a map between strings and integers
   map ::= #MAP{STR, INT};
   -- add some values
   map := map.insert("red", 0xff0000);
   map := map.insert("green", 0xff00);
   map := map.insert("blue", 0xff);
   #OUT + map + "\n"; -- show the map...
   -- test if "indexes" exist
   #OUT +  map.has_ind("red") + "\n";
   #OUT +  map.has_ind("carpet") + "\n";
   -- retrieve a value by index
   #OUT + map["green"] + "\n";
 end;

end; </lang>

Scala

<lang Scala>// immutable maps var map = Map(1 -> 2, 3 -> 4, 5 -> 6) map(3) // 4 map = map + (44 -> 99) // maps are immutable, so we have to assign the result of adding elements map.isDefinedAt(33) // false map.isDefinedAt(44) // true</lang>

<lang scala>// mutable maps (HashSets) import scala.collection.mutable.HashMap val hash = new HashMap[Int, Int] hash(1) = 2 hash += (1 -> 2) // same as hash(1) = 2 hash += (3 -> 4, 5 -> 6, 44 -> 99) hash(44) // 99 hash.contains(33) // false hash.isDefinedAt(33) // same as contains hash.contains(44) // true</lang>

<lang scala>// iterate over key/value hash.foreach {e => println("key "+e._1+" value "+e._2)} // e is a 2 element Tuple // same with for syntax for((k,v) <- hash) println("key " + k + " value " + v)</lang>

<lang scala>// items in map where the key is greater than 3 map.filter {k => k._1 > 3} // Map(5 -> 6, 44 -> 99) // same with for syntax for((k, v) <- map; if k > 3) yield (k,v)</lang>

Scheme

Scheme has association lists (alists), which are inefficient, ordered maps with arbitrary keys and values. <lang scheme>(define my-dict '((a b) (1 hello) ("c" (a b c))) (assoc 'a my-dict)  ; evaluates to '(a b)</lang>


Hash tables are provided by SRFI-69 [1]. Many Scheme implementation also provide native hash tables.

<lang scheme>(define my-alist '((a b) (1 hello) ("c" (a b c))) (define my-hash (alist->hash-table my-alist))</lang>

The R6RS standard specifies support for hashtables in the standard libraries document.

<lang scheme>#!r6rs

(import (rnrs base)

       (rnrs hashtables (6)))

(define my-hash (make-hashtable equal-hash equal?)) (hashtable-set! my-hash 'a 'b) (hashtable-set! my-hash 1 'hello) (hashtable-set! my-hash "c" '(a b c))</lang>

Seed7

Seed7 uses the type hash to support associative arrays.

<lang seed7>$ include "seed7_05.s7i";

  1. Define hash type

const type: myHashType is hash [string] integer;

  1. Define hash table

var myHashType: aHash is myHashType.value;

const proc: main is func

 local
   var string: stri is "";
   var integer: number is 0;
 begin
   # Add elements
   aHash @:= ["foo"] 42;
   aHash @:= ["bar"] 100;
   # Check presence of an element
   if "foo" in aHash then
     # Access an element
     writeln(aHash["foo"]);
   end if;
   # Change an element
   aHash @:= ["foo"] 7;
   # Remove an element
   excl(aHash, "foo");
   # Loop over the hash values
   for number range aHash do
     writeln(number);
   end for;
   # Loop over the hash keys
   for key stri range aHash do
     writeln(stri);
   end for;
   # Loop over hash keys and values
   for number key stri range aHash do
     writeln("key: " <& stri <& ", value: " <& number);
   end for;
 end func;</lang>

Slate

<lang slate>Dictionary new*, 'MI' -> 'Michigan', 'MN' -> 'Minnesota'</lang>

Smalltalk

<lang smalltalk>states := Dictionary new. states at: 'MI' put: 'Michigan'. states at: 'MN' put: 'Minnesota'.</lang>

SNOBOL4

<lang snobol4> t = table() t<"red"> = "#ff0000" t<"green"> = "#00ff00" t<"blue"> = "#0000ff"

output = t<"red"> output = t<"blue"> output = t<"green"> end</lang>

Tcl

All arrays in Tcl are associative.

<lang tcl># Create one element at a time: set hash(foo) 5

  1. Create in bulk:

array set hash {

   foo 5
   bar 10
   baz 15

}

  1. Access one element:

set value $hash(foo)

  1. Output all values:

foreach key [array names hash] {

   puts $hash($key)

}</lang>

Tcl also provides associative map values (called “dictionaries”) from 8.5 onwards.

Works with: Tcl version 8.5

<lang tcl># Create in bulk set d [dict create foo 5 bar 10 baz 15]

  1. Create/update one element

dict set d foo 5

  1. Access one value

set value [dict get $d foo]

  1. Output all values

dict for {key value} $d {

   puts $value

}

  1. Alternatively...

foreach value [dict values $d] {

   puts $value

}

  1. Output the whole dictionary (since it is a Tcl value itself)

puts $d</lang>

Toka

Toka provides associative arrays via a library.

<lang toka>needs asarray

( create an associative array ) 1024 cells is-asarray foo

( store 100 as the "first" element in the array ) 100 " first" foo asarray.put

( store 200 as the "second" element in the array ) 200 " second" foo asarray.put

( obtain and print the values ) " first" foo asarray.get . " second" foo asarray.get .</lang>

UnixPipes

A key value file can be considered as an associative array <lang bash>map='p.map'

function init() { cat <<EOF > $map apple a boy b cat c dog d elephant e EOF }

function put() {

   k=$1; v=$2;
   del $k
   echo $v $k >> $map
}

function get() {

   k=$1
   for v in $(cat $map | grep "$k$"); do
       echo $v
       break
   done
}

function del() {

   k=$1
   temp=$(mktemp)
   mv $map $temp
   cat $temp | grep -v "$k$" > $map

}

function dump() {

   echo "-- Dump begin --"
   cat $map
   echo "-- Dump complete --"

}

init get c put c cow get c dump</lang>

Vala

Library: Gee

<lang vala> using Gee;

void main(){

   var	map = new HashMap<string, int>(); // creates a HashMap with keys of type string, and values of type int                                                
   // two methods to set key,value pair
   map["one"] = 1;
   map["two"] = 2;
   map.set("four", 4);
   map.set("five", 5);
   // two methods of getting key,value pair
   stdout.printf("%d\n", map["one"]);
   stdout.printf("%d\n", map.get("two"));

} </lang>

Compile with flag:

 --pkg gee-1.0 

Wart

<lang wart>h <- (table 'a 1 'b 2) h 'a => 1</lang>

XPL0

<lang XPL0>include c:\cxpl\stdlib; char Dict(10,10); int Entries;

proc AddEntry(Letter, Greek); \Insert entry into associative array char Letter, Greek; [Dict(Entries,0):= Letter; StrCopy(Greek, @Dict(Entries,1)); Entries:= Entries+1; \(limit checks ignored for simplicity) ];

func Lookup(Greek); \Given Greek name return English letter char Greek; int I; [for I:= 0, Entries-1 do

   if StrCmp(Greek, @Dict(I,1)) = 0 then return Dict(I,0);

return ^?; ];

[Entries:= 0; AddEntry(^A, "alpha"); AddEntry(^D, "delta"); AddEntry(^B, "beta"); AddEntry(^C, "gamma"); ChOut(0, Lookup("beta")); CrLf(0); ChOut(0, Lookup("omega")); CrLf(0); ]</lang>

For greater speed a hashing algorithm should be used to look up items in a large dictionary, however hashing routines are not provided in the standard library.

Output:
B
?

zkl

<lang zkl>zkl: D("one",1, "two",2, "three",3) D(two:2,three:3,one:1)

zkl: Dictionary("one",1, "two",2, "three",3) D(two:2,three:3,one:1)

zkl: T("one",1, "two",2, "three",3).toDictionary() D(two:2,three:3,one:1)</lang>