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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
|
<!DOCTYPE html>
<html lang="en" class="no-js">
<head id="ctl00_Head1"><meta charset="utf-8" />
<!--[if IE]><![endif]-->
<title>
GC2JVEH Auf den Spuren des Indianer Jones Teil 1 (Unknown Cache) in Niedersachsen, Germany created by indianerjones, der merlyn,reflektordetektor
</title><meta name="DC.title" content="Geocaching - The Official Global GPS Cache Hunt Site" /><meta name="author" content="Groundspeak, Inc." /><meta name="DC.creator" content="Groundspeak, Inc." /><meta name="Copyright" content="Copyright (c) 2000-2012 Groundspeak, Inc. All Rights Reserved." /><!-- Copyright (c) 2000-2012 Groundspeak, Inc. All Rights Reserved. --><meta name="description" content="Geocaching is a treasure hunting game where you use a GPS to hide and seek containers with other participants in the activity. Geocaching.com is the listing service for geocaches around the world." /><meta name="DC.subject" content="Geocaching is a treasure hunting game where you use a GPS to hide and seek containers with other participants in the activity. Geocaching.com is the listing service for geocaches around the world." /><meta http-equiv="imagetoolbar" content="no" /><meta name="distribution" content="global" /><meta name="MSSmartTagsPreventParsing" content="true" /><meta name="rating" content="general" /><meta name="revisit-after" content="1 days" /><meta name="robots" content="all" /><meta http-equiv="X-UA-Compatible" content="IE=8" /><link rel="icon" href="/favicon.ico" /><link rel="shortcut icon" href="/favicon.ico" /><link rel="apple-touch-icon" href="/apple-touch-icon.png" /><link rel="stylesheet" type="text/css" media="all" href="../css/blueprint/src/reset.css" /><link rel="stylesheet" type="text/css" media="all" href="../css/blueprint/src/typography.css" /><link rel="stylesheet" type="text/css" media="screen,projection" href="../css/blueprint/src/grid.css" />
<!--[if lt IE 8]>
<link rel="stylesheet" type="text/css" media="all" href="../css/blueprint/ie.css" />
<![endif]-->
<link id="uxCssMaster" rel="stylesheet" type="text/css" media="screen,projection" href="../css/tlnMasterScreen.css?r=1" /><link id="uxCssMain" rel="stylesheet" type="text/css" media="all" href="../css/tlnMain.css?r=1" /><link rel="Stylesheet" type="text/css" media="all" href="../css/jqueryui1810/jquery-ui-1.8.10.custom.css" /><link rel="stylesheet" type="text/css" media="all" href="/js/jquery_plugins/jquery.jgrowl.css" /><link rel="stylesheet" type="text/css" media="print" href="../css/tlnMasterPrint.css" />
<script type="text/javascript" src="/js/modernizr-1.7.min.js"></script>
<script type="text/javascript" src="//ajax.googleapis.com/ajax/libs/jquery/1.7.1/jquery.min.js"></script>
<script type="text/javascript" src="//ajax.googleapis.com/ajax/libs/jqueryui/1.8.17/jquery-ui.min.js"></script>
<script type="text/javascript" src="/js/jquery.truncate.min.js"></script>
<link href="/css/fancybox/jquery.fancybox.css" rel="stylesheet" type="text/css" />
<link href="/js/jquery_plugins/icalendar/jquery.icalendar.css" rel="stylesheet" type="text/css" />
<link href="/js/jquery_plugins/tipTip/tipTip.css" rel="stylesheet" type="text/css" />
<link href="/js/jquery_plugins/qtip/jquery.qtip.css" rel="stylesheet" type="text/css" />
<!--[if lte IE 8]>
<style type="text/css" media="all">
legend{
position: absolute;
top: -.6em;
left: 1em;
line-height: 1.3;
}
fieldset p{
margin-top:1em;
}
img.CacheNoteHelpImg{
top:-.2em;
}
</style>
<![endif]-->
<style type="text/css" media="screen,projection">
#otherSearchOptions li
{
list-style-image: none;
list-style-position: outside;
list-style-type: none;
}
.ff
{
font-family: "Andale Mono" , "Courier New" ,Courier,monospace;
}
.fr
{
margin-top: 1.5em;
float: right;
}
.fl
{
float: left;
}
.clsCell
{
border: 1px solid #c0cee3;
font-size: 80%;
background-color: #fff;
}
.clsResultTitle, .clsResultTitleNoBold
{
color: #0000de;
}
.clsResultDescription
{
color: #333;
}
.clsURL
{
color: #999;
}
a.title:link, a.title:visited, a.title:hover, a.title:active
{
color: #000;
text-decoration: underline;
}
a.title
{
text-align: right;
font-size: 10px;
font-family: arial,sans-serif;
padding: 0 1px 0 0;
}
#mapSizePager a:hover
{
font-weight: bold;
}
#mapSizePager ul
{
width: 100%;
margin: 0;
padding: 0;
list-style: none;
}
#mapSizePager li
{
float: left;
list-style: none;
}
#mapSizePager li a
{
font-family: verdana,sans-serif;
font-size: x-small;
display: block;
margin: 0 2px 0 0;
padding: 4px;
text-decoration: none;
border: solid 1px #c0c0c0;
height: 10px;
min-width: 10px;
cursor: pointer;
}
#mapPrintingNotes
{
width: 280px;
text-align: left;
overflow: auto;
}
.inplace_field {
width:100%;
resize: none;
}
legend.note{
background:url('../images/silk/note.png') no-repeat 0 0;
padding-left:18px;
}
legend.warning{
background:url('../images/silk/exclamation.png') no-repeat 0 0;
padding-left:18px;
}
fieldset.CacheNote{
border-color: #e9a24c !important;
background-color:#ffffde;
position:relative;
}
.CacheNoteHelpImg{
position:relative;
cursor:pointer;
top:-1em;
right:-.75em;
float:right;
}
.InformationWidget h3{
margin-bottom:.5em;
}
.InformationWidget .AlignRight{
font-size:.8em;
}
#tiptip_content{
*background-color:#000;
}
.maxed{
color:#992a2a;
}
span.ccu-parseverify-distance img{
text-align:center !important;
vertical-align:text-bottom !important;
}
.edit-cache-coordinates{
text-decoration: none;
color: #000 !important;
background: url(/images/silk/pencil.png) no-repeat right 0;
padding:2px 20px 2px 0px;
margin-right:4px;
}
.ccc-coord{
cursor: text;
font-family: Courier New, Sans-Serif;
}
.ccu-update dl {
margin-bottom:.25em;
}
.ccu-update dt{
float:left;
min-width:90px;
}
.ccu-update .ui-button-text-only .ui-button-text{
padding:.3em .75em;
}
.ccu-parseverify-coords{
font-style:italic;
margin-right:.25em;
}
.ccu-parseverify-accept, .ccu-parseverify-cancel{
margin-top:-5px;
}
.ui-tooltip-widget .ui-tooltip-content{
border-width:1px;
background-color:#fff;
border-color:#c0cee3;
color:#594a42;
padding:1em;
width:420px;
}
.myLatLon {
border-bottom:2px solid #c0cee3;
font-style:italic;
}
.leaflet-control-attribution{
padding:3px !important;
}
.leaflet-control-attribution img{
vertical-align:middle;
}
</style>
<link rel="Stylesheet" type="text/css" media="screen" href="/hide/css/CSPScreen.css" />
<link rel="stylesheet" type="text/css" media="all" href="/js/leaflet/v5/leaflet.css" />
<!--[if IE]>
<link rel="stylesheet" type="text/css" media="all" href="/js/leaflet/v5/leaflet.ie.css" />
<![endif]-->
<script type="text/javascript" language="javascript" src="/js/leaflet/v5/leaflet.js"></script>
<script type="text/javascript" src="/js/jquery.pagemethods.js"></script>
<script type="text/javascript" src="/js/geometa.js"></script>
<script type="text/javascript">
var userToken = null,
urlParams = {},
mapLatLng = null,
cmapAdditionalWaypoints = [],
initalLogs = null, totalLogs = 0, includeAvatars = false;
(function () {
var e,
d = function (s) { return decodeURIComponent(s.replace(/\+/g, " ")); },
q = window.location.search.substring(1),
r = /([^&=]+)=?([^&]*)/g;
while (e = r.exec(q)) {
urlParams[d(e[1])] = d(e[2]);
}
})();
</script>
<meta name="og:site_name" content="Geocaching.com" property="og:site_name" /><meta name="og:type" content="article" property="og:type" /><meta name="fb:app_id" content="251051881589204" property="fb:app_id" /><meta name="og:url" content="http://www.geocaching.com/seek/cache_details.aspx?log=y&wp=GC2JVEH&numlogs=35&decrypt=y" property="og:url" /><meta name="og:description" content="Solve the mystery and then use a smartphone or GPS device to navigate to the solution coordinates. Look for a small hidden container. When you find it, write your name and date in the logbook. If you take something from the container, leave something in exchange. The terrain is 3 and difficulty is 5 (out of 5)." property="og:description" /><meta name="og:image" content="http://www.geocaching.com/images/facebook/wpttypes/8.png" property="og:image" /><meta name="og:title" content="Auf den Spuren des Indianer Jones Teil 1" property="og:title" /><meta name="description" content="Auf den Spuren des Indianer Jones Teil 1 (GC2JVEH) was created by indianerjones on 11/28/2010. It's a Small size geocache, with difficulty of 5, terrain of 3. It's located in Niedersachsen, Germany. Aufgabe zum Start: Finde die Schattenlinie. !!!Die Skizze mit den Zahlen solltest du mitnehmen!!! Du solltest den cache so beginnen, das du station 2 in der Zeit von mo- fr von 11-19 Uhr und sa von 11-16 Uhr erledigt hast." /><link rel="alternate" href="../datastore/rss_galleryimages.ashx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5" type="application/rss+xml" title="[Gallery Images]" id="GalleryImages" /></head>
<body >
<form name="aspnetForm" method="post" action="cache_details.aspx?log=y&wp=GC2JVEH&numlogs=35&decrypt=y" id="aspnetForm">
<div>
<input type="hidden" name="__EVENTTARGET" id="__EVENTTARGET" value="" />
<input type="hidden" name="__EVENTARGUMENT" id="__EVENTARGUMENT" value="" />
<input type="hidden" name="__VIEWSTATEFIELDCOUNT" id="__VIEWSTATEFIELDCOUNT" value="3" />
<input type="hidden" name="__VIEWSTATE" id="__VIEWSTATE" value="/wEPDwUKLTI5ODA0Nzc1OQ8WAh4EQy5JRCgpWVN5c3RlbS5JbnQ2NCwgbXNjb3JsaWIsIFZlcnNpb249NC4wLjAuMCwgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1iNzdhNWM1NjE5MzRlMDg5BzE5OTc1OTcWAmYPZBYGZg9kFgoCBg8WAh4EVGV4dAViPG1ldGEgbmFtZT0iQ29weXJpZ2h0IiBjb250ZW50PSJDb3B5cmlnaHQgKGMpIDIwMDAtMjAxMiBHcm91bmRzcGVhaywgSW5jLiBBbGwgUmlnaHRzIFJlc2VydmVkLiIgLz5kAgcPFgIfAQVHPCEtLSBDb3B5cmlnaHQgKGMpIDIwMDAtMjAxMiBHcm91bmRzcGVhaywgSW5jLiBBbGwgUmlnaHRzIFJlc2VydmVkLiAtLT5kAhoPFgIeBGhyZWYFHX4vY3NzL3Rsbk1hc3RlclNjcmVlbi5jc3M/cj0xZAIbDxYCHwIFFX4vY3NzL3Rsbk1haW4uY3NzP3I9MWQCIA8WAh4HVmlzaWJsZWhkAgEPZBYQAgUPFgIfAWRkAggPFgIfA2cWCAIBDw8WAh4ISW1hZ2VVcmwFTmh0dHA6Ly9pbWcuZ2VvY2FjaGluZy5jb20vdXNlci9hdmF0YXIvNTBmODMxMjMtMjdkOC00ZGNmLTlmZGUtMmFmMDA2ZWZhZjJiLmpwZ2RkAgMPFgIfAQVoSGVsbG8sIDxhIGhyZWY9Ii9teS9kZWZhdWx0LmFzcHgiIHRpdGxlPSJWaWV3IFByb2ZpbGUgZm9yIGJsYWZvbyIgY2xhc3M9IlNpZ25lZEluUHJvZmlsZUxpbmsiPmJsYWZvbzwvYT5kAgUPDxYCHgtOYXZpZ2F0ZVVybAWtAWh0dHBzOi8vd3d3Lmdlb2NhY2hpbmcuY29tL2xvZ2luL2RlZmF1bHQuYXNweD9SRVNFVD1ZJnJlZGlyPWh0dHAlM2ElMmYlMmZ3d3cuZ2VvY2FjaGluZy5jb20lMmZzZWVrJTJmY2FjaGVfZGV0YWlscy5hc3B4JTNmbG9nJTNkeSUyNndwJTNkR0MySlZFSCUyNm51bWxvZ3MlM2QzNSUyNmRlY3J5cHQlM2R5ZGQCCw8WAh8BBasBPGltZyBzcmM9Ii9pbWFnZXMvaWNvbnMvaWNvbl9zbWlsZS5wbmciIHRpdGxlPSJDYWNoZXMgRm91bmQiIC8+IDY5MiZuYnNwOyZuYnNwOyZuYnNwOzxpbWcgc3JjPSIvaW1hZ2VzL2NoYWxsZW5nZXMvdHlwZXMvc20vY2hhbGxlbmdlLnBuZyIgdGl0bGU9IkNoYWxsZW5nZXMgQ29tcGxldGVkIiAvPiAzZAINDxYCHwNnFgICDQ8PFgIfBQVAfi90cmFjay9zZWFyY2guYXNweD9vPTEmdWlkPTA1NjRhOTQwLTgzMTEtNDBlZS04ZTc2LTdlOTFiMmNmNjI4NGRkAhAPDxYCHwNnZGQCLg9kFgICAw8WAh8DaGQCLw8WAh4FY2xhc3MFDHNwYW4tMjQgbGFzdBYCAgEPZBYyAgEPZBYCZg9kFgICAQ8PFgIfAQUHR0MySlZFSGRkAgIPFgIfAQWeATxhIGhyZWY9Ii9hYm91dC9jYWNoZV90eXBlcy5hc3B4IiB0YXJnZXQ9Il9ibGFuayIgdGl0bGU9IkFib3V0IENhY2hlIFR5cGVzIj48aW1nIHNyYz0iL2ltYWdlcy9XcHRUeXBlcy84LmdpZiIgYWx0PSJVbmtub3duIENhY2hlIiB0aXRsZT0iVW5rbm93biBDYWNoZSIgLz48L2E+ZAIGD2QWBAIBDxYCHwNnZAIGDxYCHwNoZAILD2QWBAIBDxYCHwEFAjUxZAIFDw8WAh8FBUQvc2Vlay9jYWNoZV9mYXZvcml0ZWQuYXNweD9ndWlkPTA3MjcwZThjLTcyZWMtNDgyMS04Y2I3LWIwMTQ4M2Y5NGNiNWRkAg0PDxYCHwNoZGQCDg8WBB8BBUs8cCBjbGFzcz0iV2FybmluZyBOb0JvdHRvbVNwYWNpbmciPlRoaXMgaXMgYSBQcmVtaXVtIE1lbWJlciBPbmx5IGNhY2hlLjwvcD4fA2dkAhAPFgIfA2hkAhEPFgIfA2hkAhIPZBYMAgMPFgIeBXN0eWxlBQ9kaXNwbGF5OmlubGluZTsWAgIBDxYCHwEFG1VUTTogMzJVIEUgNTUwMDYzIE4gNTgwMjY5NmQCDQ8PFgIfBQUzY2RwZi5hc3B4P2d1aWQ9MDcyNzBlOGMtNzJlYy00ODIxLThjYjctYjAxNDgzZjk0Y2I1ZGQCDw8PFgIfBQU4Y2RwZi5hc3B4P2d1aWQ9MDcyNzBlOGMtNzJlYy00ODIxLThjYjctYjAxNDgzZjk0Y2I1JmxjPTVkZAIRDw8WAh8FBTljZHBmLmFzcHg/Z3VpZD0wNzI3MGU4Yy03MmVjLTQ4MjEtOGNiNy1iMDE0ODNmOTRjYjUmbGM9MTBkZAITDw8WBB8FBY4BaHR0cDovL21hcHMuZ29vZ2xlLmNvbS9tYXBzP2Y9ZCZobD1lbiZzYWRkcj01Mi40MTYyLDkuNTk0MTE3IChIb21lIExvY2F0aW9uKSZkYWRkcj01Mi4zNzIyNSw5LjczNTM2NyhBdWYrZGVuK1NwdXJlbitkZXMrSW5kaWFuZXIrSm9uZXMrVGVpbCsxKR4GVGFyZ2V0BQZfYmxhbmtkZAIbD2QWCAIBDw8WBB4JRm9yZUNvbG9yDB4EXyFTQgIEZGQCAw8PFgQfCQwfCgIEZGQCBQ8PFgIfA2cWAh4Hb25jbGljawU7czJncHMoJzA3MjcwZThjLTcyZWMtNDgyMS04Y2I3LWIwMTQ4M2Y5NGNiNScpO3JldHVybiBmYWxzZTtkAgcPDxYCHwNnFgIfCwUgczJwaG9uZSgnR0MySlZFSCcpO3JldHVybiBmYWxzZTtkAhQPFgIfA2cWAgIDDxYCHwEFVFNlZWxpZyBzaW5kIGRpZSBCYXJtaGVyemlnZW4sIGRlbm4gc2llIHdlcmRlbiBCYXJtaGVyemlna2VpdCBlcmxhbmdlbiBHYXJ0ZW5mcmllZGhvZmQCFw9kFghmDxYCHwNoZAIBDw8WAh8DaGRkAgIPDxYCHwNoZGQCAw8WAh8DaGQCGA9kFgICAw8PFgIfAQUTTm8gaGludHMgYXZhaWxhYmxlLhYCHwsFDXJldHVybiBmYWxzZTtkAhkPFgIfA2hkAhwPZBYEAgEPDxYEHghDc3NDbGFzc2QfCgICZGQCBA8WAh8BBQIxM2QCHQ9kFgICAQ8WAh8DZxYCAgEPDxYCHwUFOC9zZWVrL2xvZy5hc3B4P0xVSUQ9YjhhMDZmMGEtMDVlNi00ZGVhLWFiMjctNTNhNWYwMDI2ZTUxZGQCHg8WAh8DZ2QCHw8WAh8DaGQCIg9kFgICAQ9kFgQCAQ8PFgIfAQX/AzxpZnJhbWUgdHlwZT0iaWZyYW1lIiBzcmM9Imh0dHA6Ly9hZHMuZ3JvdW5kc3BlYWsuY29tL2EuYXNweD9ab25lSUQ9OSZUYXNrPUdldCZTaXRlSUQ9MSZYPScwNjdhZTI0MWEwODQ0NGI2OWU0YjVhMzZkNzBkZWMwYyciIHdpZHRoPSIxMjAiIGhlaWdodD0iMjQwIiBNYXJnaW53aWR0aD0iMCIgTWFyZ2luaGVpZ2h0PSIwIiBIc3BhY2U9IjAiIFZzcGFjZT0iMCIgRnJhbWVib3JkZXI9IjAiIFNjcm9sbGluZz0ibm8iIHN0eWxlPSJ3aWR0aDoxMjBweDtIZWlnaHQ6MjQwcHg7Ij48YSBocmVmPSJodHRwOi8vYWRzLmdyb3VuZHNwZWFrLmNvbS9hLmFzcHg/Wm9uZUlEPTkmVGFzaz1DbGljayY7TW9kZT1IVE1MJlNpdGVJRD0xIiB0YXJnZXQ9Il9ibGFuayI+PGltZyBzcmM9Imh0dHA6Ly9hZHMuZ3JvdW5kc3BlYWsuY29tL2EuYXNweD9ab25lSUQ9OSZUYXNrPUdldCZNb2RlPUhUTUwmU2l0ZUlEPTEiIHdpZHRoPSIxMjAiIGhlaWdodD0iMjQwIiBib3JkZXI9IjAiIGFsdD0iIiAvPjwvYT48L2lmcmFtZT5kZAIDDxYCHglpbm5lcmh0bWwFE0FkdmVydGlzaW5nIHdpdGggVXNkAiYPZBYGAgUPFgIeC18hSXRlbUNvdW50AgEWAgIBD2QWAmYPFQNWaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS90cmFjay9kZXRhaWxzLmFzcHg/Z3VpZD1lMzI5MTlkMy1lYjk1LTRkMDMtYTZjNC1kMGFkZmZmOTc4NjUzaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9pbWFnZXMvd3B0dHlwZXMvc20vMjEuZ2lmFUljaHRoeW9zYXVydXMgSHVtZXJ1c2QCCQ8PFgIfA2dkFgICAQ8PFgQfAQUTVmlldyBhbGwgVHJhY2thYmxlcx8FBUl+L3RyYWNrL3NlYXJjaC5hc3B4P3dpZD0wNzI3MGU4Yy03MmVjLTQ4MjEtOGNiNy1iMDE0ODNmOTRjYjUmY2NpZD0xOTk3NTk3ZGQCCw8PFgIfBQU8fi90cmFjay9zZWFyY2guYXNweD93aWQ9MDcyNzBlOGMtNzJlYy00ODIxLThjYjctYjAxNDgzZjk0Y2I1ZGQCJw8PFgIfA2dkFgJmDxYCHw4CAxYGAgEPZBYEZg8VAwBXaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9ib29rbWFya3Mvdmlldy5hc3B4P2d1aWQ9NzYwZWIzMTQtODM4ZC00YWZjLWFhNWItNDViMjIxMmVlNDljDVQ1IGFic29sdmllcnRkAgIPFQJMaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9wcm9maWxlLz9ndWlkPTVjNGIwOTE1LTVjZWMtNGZhMS04YWZkLTRiM2NhNjdlMDA0ZQdrYWkyNzA3ZAICD2QWBGYPFQMOQWx0ZXJuYXRpbmdSb3dXaHR0cDovL3d3dy5nZW9jYWNoaW5n" />
<input type="hidden" name="__VIEWSTATE1" id="__VIEWSTATE1" value="LmNvbS9ib29rbWFya3Mvdmlldy5hc3B4P2d1aWQ9MGEyZTRiMzItMTFjZC00ZTQ2LWI1MmItYWZhNmJmYzg0ZGQyBFRvRG9kAgIPFQJMaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9wcm9maWxlLz9ndWlkPTgyMmMwZmViLTRkZDAtNDMxOC05YmRmLWVhMTk3NjQxOTNhOAZILldhaWlkAgMPZBYEZg8VAwBXaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9ib29rbWFya3Mvdmlldy5hc3B4P2d1aWQ9ODMwMTYyYzItNzJkZS00ODc2LWJmMjItMjQ0ZDU5ZjhiYTI3G0RpZXNlIHNpbmQgbm9jaCBmJiMyMjg7bGxpZ2QCAg8VAkxodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL3Byb2ZpbGUvP2d1aWQ9ZjNiOWU2MDktNjMzYi00M2FmLTllMzQtMWY4ZjU0Yjg2YTllBmNlZXdlZWQCKA8PFgIfA2dkFgJmDxYCHw4CARYCAgEPZBYEZg8VAwBXaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9ib29rbWFya3Mvdmlldy5hc3B4P2d1aWQ9ODE4YTk2ZWYtOTQ5ZC00MjM4LThlMTMtZTU2OTQ3ZGMwNGEyBkZpbmFsc2QCAg8VAkxodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL3Byb2ZpbGUvP2d1aWQ9MDU2NGE5NDAtODMxMS00MGVlLThlNzYtN2U5MWIyY2Y2Mjg0BmJsYWZvb2QCKQ9kFhYCAQ8PFgIfA2hkZAIDD2QWAgIBDw8WAh8FBUUvaGlkZS93cHRsaXN0LmFzcHg/UmVmV3B0SUQ9MDcyNzBlOGMtNzJlYy00ODIxLThjYjctYjAxNDgzZjk0Y2I1JkRTPTFkZAIHDw8WBh4GUkRTLklECyl2R3JvdW5kc3BlYWsuV2ViLkdQWC5XcHREYXRhU291cmNlcywgVHVjc29uLkNvbW1vbi5MZWdhY3ksIFZlcnNpb249My4wLjQ2NzIuMTc5NDMsIEN1bHR1cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAEeB1JXUFQuSUQoKwQHMTk5NzU5Nx8DaGRkAgkPDxYCHwNnZBYCAgEPDxYEHwUFKy9tYXAvZGVmYXVsdC5hc3B4P2xhdD01Mi4zNzIyNSZsbmc9OS43MzUzNjcfA2dkZAIRDw8WAh8FBSIvc2Vlay9uZWFyZXN0LmFzcHg/dT1pbmRpYW5lcmpvbmVzZGQCFQ8PFgIfBQUjL3NlZWsvbmVhcmVzdC5hc3B4P3VsPWluZGlhbmVyam9uZXNkZAIZD2QWCgIDDw8WAh8FBVUvc2Vlay9uZWFyZXN0LmFzcHg/dHg9NDA4NjE4MjEtMTgzNS00ZTExLWI2NjYtOGQ0MTA2NGQwM2ZlJmxhdD01Mi4zNzIyNTAmbG5nPTkuNzM1MzY3ZGQCBQ8PFgIfBQVZL3NlZWsvbmVhcmVzdC5hc3B4P3R4PTQwODYxODIxLTE4MzUtNGUxMS1iNjY2LThkNDEwNjRkMDNmZSZsYXQ9NTIuMzcyMjUwJmxuZz05LjczNTM2NyZmPTFkZAIJDw8WAh8FBS0vc2Vlay9uZWFyZXN0LmFzcHg/bGF0PTUyLjM3MjI1MCZsbmc9OS43MzUzNjdkZAILDw8WAh8FBTEvc2Vlay9uZWFyZXN0LmFzcHg/bGF0PTUyLjM3MjI1MCZsbmc9OS43MzUzNjcmZj0xZGQCDw8PFgIfBQVHaHR0cDovL3d3dy53YXltYXJraW5nLmNvbS9kaXJlY3RvcnkuYXNweD9mPTEmbGF0PTUyLjM3MjI1MCZsb249OS43MzUzNjdkZAIbDxYCHwNoZAIfDw8WAh8FBSUvcmV2aWV3cy9ob3RlbHMtY29vcmRzLTUyLjM3MjMsOS43MzU0ZGQCIw9kFgICAQ8PFgQfAQW7BzxsaT48YSBocmVmPSJodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL21hcC9kZWZhdWx0LmFzcHg/bGF0PTUyLjM3MjI1JmxuZz05LjczNTM3IiB0YXJnZXQ9Il9ibGFuayI+R2VvY2FjaGluZy5jb20gTWFwPC9hPjwvbGk+PGxpPjxhIGhyZWY9Imh0dHA6Ly9tYXBzLmdvb2dsZS5jb20vbWFwcz9xPU4rNTIlYzIlYjArMjIuMzM1K0UrMDA5JWMyJWIwKzQ0LjEyMisoR0MySlZFSCkrIiB0YXJnZXQ9Il9ibGFuayI+R29vZ2xlIE1hcHM8L2E+PC9saT48bGk+PGEgaHJlZj0iaHR0cDovL3d3dy5tYXBxdWVzdC5jb20vbWFwcy9tYXAuYWRwP3NlYXJjaHR5cGU9YWRkcmVzcyZmb3JtdHlwZT1sYXRsb25nJmxhdGxvbmd0eXBlPWRlY2ltYWwmbGF0aXR1ZGU9NTIuMzcyMjUmbG9uZ2l0dWRlPTkuNzM1Mzcmem9vbT0xMCIgdGFyZ2V0PSJfYmxhbmsiPk1hcFF1ZXN0PC9hPjwvbGk+PGxpPjxhIGhyZWY9Imh0dHA6Ly9tYXBzLnlhaG9vLmNvbS8jbGF0PTUyLjM3MjI1Jmxvbj05LjczNTM3Jnpvb209MTYmcT01Mi4zNzIyNSw5LjczNTM3JmNvbmY9MSZzdGFydD0xJm12dD1tJnRyZj0wIiB0YXJnZXQ9Il9ibGFuayI+WWFob28gTWFwczwvYT48L2xpPjxsaT48YSBocmVmPSJodHRwOi8vd3d3LmJpbmcuY29tL21hcHMvZGVmYXVsdC5hc3B4P3Y9MiZsdmw9MTQmc3A9cG9pbnQuNTIuMzcyMjVfOS43MzUzN19HQzJKVkVIIiB0YXJnZXQ9Il9ibGFuayI+QmluZyBNYXBzPC9hPjwvbGk+PGxpPjxhIGhyZWY9Imh0dHA6Ly93d3cub3BlbmN5Y2xlbWFwLm9yZy8/em9vbT0xMiZsYXQ9NTIuMzcyMjUmbG9uPTkuNzM1MzciIHRhcmdldD0iX2JsYW5rIj5PcGVuIEN5Y2xlIE1hcHM8L2E+PC9saT48bGk+PGEgaHJlZj0iaHR0cDovL3d3dy5vcGVuc3RyZWV0bWFwLm9yZy8/bWxhdD01Mi4zNzIyNSZtbG9uPTkuNzM1Mzcmem9vbT0xMiIgdGFyZ2V0PSJfYmxhbmsiPk9wZW4gU3RyZWV0IE1hcHM8L2E+PC9saT4fA2dkZAInD2QWBgIBDxYCHwEFETEwOSBMb2dnZWQgVmlzaXRzZAIHDw8WAh8FBUN+L3NlZWsvY2FjaGVfbG9nYm9vay5hc3B4P2d1aWQ9MDcyNzBlOGMtNzJlYy00ODIxLThjYjctYjAxNDgzZjk0Y2I1ZGQCCQ8PFgQfBQU9fi9zZWVrL2dhbGxlcnkuYXNweD9ndWlkPTA3MjcwZThjLTcyZWMtNDgyMS04Y2I3LWIwMTQ4M2Y5NGNiNR8BBSJWaWV3IHRoZSBJbWFnZSBHYWxsZXJ5IG9mIDQgaW1hZ2VzZGQCKg8WAh8BBQR0cnVlZAIrDxYCHwEFSmxhdD01Mi4zNzIyNTsgbG5nPTkuNzM1MzY3OyBndWlkPScwNzI3MGU4Yy03MmVjLTQ4MjEtOGNiNy1iMDE0ODNmOTRjYjUnOw0KZAIsDxYCHwEFcXRyeSB7IF9nYXEucHVzaChbJ190cmFja0V2ZW50JywgJ0dlb2NhY2hpbmcnLCAnQ2FjaGVEZXRhaWxzTWVtYmVyVHlwZScsICdQcmVtaXVtJywgbnVsbCwgdHJ1ZV0pOyB9IGNhdGNoKGVycikgeyB9ZAIwDxYCHwNoZAIxD2QWBAIDDxYCHwEFB0VuZ2xpc2hkAgUPFgIfDgIQFiBmD2QWAgIBDw8WCB4PQ29tbWFuZEFyZ3VtZW50BQVlbi1VUx4LQ29tbWFuZE5hbWUFDVNldFRlbXBMb2NhbGUfAQUHRW5nbGlzaB4QQ2F1c2VzVmFsaWRhdGlvbmhkZAIBD2QWAgIBDw8WCB8RBQVkZS1ERR8SBQ1TZXRUZW1wTG9jYWxlHwEFB0RldXRzY2gfE2hkZAICD2QWAgIBDw8WCB8RBQVmci1GUh8SBQ1TZXRUZW1wTG9jYWxlHwEFCUZyYW7Dp2Fpcx8TaGRkAgMPZBYCAgEPDxYIHxEFBXB0LVBUHxIFDVNldFRlbXBMb2NhbGUfAQUKUG9ydHVndcOqcx8TaGRkAgQPZBYCAgEPDxYIHxEFBWNzLUNaHxIFDVNldFRlbXBMb2NhbGUfAQUJxIxlxaF0aW5hHxNoZGQCBQ9kFgICAQ8PFggfEQUFc3YtU0UfEgUNU2V0VGVtcExvY2FsZR8BBQdTdmVuc2thHxNoZGQCBg9kFgICAQ8PFggfEQUFZXMtRVMfEgUNU2V0VGVtcExvY2FsZR8BBQhFc3Bhw7FvbB8TaGRkAgcPZBYCAgEPDxYIHxEFBWl0LUlUHxIFDVNldFRlbXBMb2NhbGUfAQUISXRhbGlhbm8fE2hkZAIID2QWAgIBDw8WCB8RBQVubC1OTB8SBQ1TZXRUZW1wTG9jYWxlHwEFCk5lZGVybGFuZHMfE2hkZAIJD2QWAgIBDw8WCB8RBQVjYS1FUx8SBQ1TZXRUZW1wTG9jYWxlHwEFB0NhdGFsw6AfE2hkZAIKD2QWAgIBDw8WCB8RBQVwbC1QTB8SBQ1TZXRUZW1wTG9jYWxlHwEFBlBvbHNraR8TaGRkAgsPZBYCAgEPDxYIHxEFBWV0LUVFHxIFDVNldFRlbXBMb2NhbGUfAQUFRWVzdGkfE2hkZAIMD2QWAgIBDw8WCB8RBQVuYi1OTx8SBQ1TZXRUZW1wTG9jYWxlHwEFDk5vcnNrLCBCb2ttw6VsHxNoZGQCDQ9kFgICAQ8PFggfEQUFa28tS1IfEgUNU2V0VGVtcExvY2FsZR8BBQntlZzqta3slrQfE2hkZAIOD2QWAgIBDw8WCB8RBQVodS1IVR8SBQ1TZXRUZW1wTG9jYWxlHwEFBk1hZ3lhch8TaGRkAg8PZBYCAgEPDxYIHxEFBXJv" />
<input type="hidden" name="__VIEWSTATE2" id="__VIEWSTATE2" value="LVJPHxIFDVNldFRlbXBMb2NhbGUfAQUIUm9tw6JuxIMfE2hkZAIDDxYCHwEFK1NlcnZlcjogV0VCMDk7IEJ1aWxkOiBXZWIuSG90Rml4XzIwMTIxMDE2LjNkZFFZDrDpoggt0+DM8vh8Ms2xTwIQ" />
</div>
<script type="text/javascript">
//<![CDATA[
var theForm = document.forms['aspnetForm'];
if (!theForm) {
theForm = document.aspnetForm;
}
function __doPostBack(eventTarget, eventArgument) {
if (!theForm.onsubmit || (theForm.onsubmit() != false)) {
theForm.__EVENTTARGET.value = eventTarget;
theForm.__EVENTARGUMENT.value = eventArgument;
theForm.submit();
}
}
//]]>
</script>
<script src="/WebResource.axd?d=Dh2VENdI9XyWNN0f7DnYfR8WWRCRIzdVqal2y0yjiQ5nC_eHhLchYgnQDHIk0d3RCcSUMVZ36ciRD0qmhXKmeu3S_RE1&t=634320874095713794" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=I9_m2Hb1Tv_B0qTMDG8bMbnkNSHUkv5oUaG9-V5NZ8qQ2VFlu60I8y8gfr3vPmZjbiPnu43MOQdFVDeYF-nDAEKBLmyxD3DCTGmes9NNbbvaDEHyEuuRWgccIkK3ik5TI48YGDxjHjqdn-gTK4Fkgd17LGw1&t=2610f696" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=8vNbe34dAujgZMPnfnacfjeoweX1vHgyns8KlAV4vpGpsZC9Cf3pro__lv8ekBa0NiCgXGMMolzOUNH__lrnEI_qjlNBIAuuLeemtAXV_i6E0QIMZa8nGSYmWGF5nQOJK3rmZzvTxsr2Mh4Ebdba_1ywGLUSH_U_XIe-jzecfRQwwvjZ0&t=2610f696" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=xn_XthUDTB7olgcUtLPfBc6T8T6KQJeWQqX-S5SXQszTnUMfMoY-_5LGD_TTtk-ziPIcDt2u4ItIrMD8KSt1gxC4geqllJ30o1Wha1PY6q9Bu3kg0D9DC5M-XAaM-2yLG-E2ZJbNKvASegbH_2zGkDlJRJl9DxQFNJ0KuhdfR8Zre1hg4i3ncHbDUESrAb2Vzr2b9FqYpbFfGpAis__FnVeUutU1" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=5CyDhZ1QrMZSVcCqxKlXl3yO1U7ML8hppu9nneB8d06m0ASEsmoWvx8yKVZxdQgA6Uo4BZLAdyt7SUoqd9jZFjVos_CF_mGR4G3Vtsbub3PzOc5-yRg5gRLwSoDbah4m09wBVM5_FhjR68q6UT-yfhoG47eb2gPVrNdEdcHlcN0Xe7_BEJvnAvNgAXuVnpnmU3tN5c1Er5rvLNMh7i34YE2E4sPCUD9Ymg8ddmvCFrZMS7ISxiJyRxd_fs-4EPZ9G3SeBu8bcZ-PWCec7GCjObIbCPX5wPdL8s227n_qIOldojTRHFwCHOYTIOiBIneKedRKFqL10yu1HnvXprBGzr7bc17tnQQRYC-AtjxcPiQA6bdUp5qT-RMnXFIOeUBC5qDcx-nLVDRluEoGUo6_BcPatJleyDBr-Huz1EcedROE0pdAIGGY_JsTOni7hgsv3UaV8rhgvWDyyiqQ_QlQl1ScW3eV6CCKLxmU7_cnPlPI65v7_rAaVytJdSInQa9MemNiPirJGMaeTxcBcDVz3pWhNt2iuRrSuMjUMx1-TNPtnWZefOnrOKJX_Kg1CCdsQPZLcWgi3UXmjXd5kZ9XcHS92KR7GguI2SaRtb0_fx_Dd84Z6U852-sYEbr4wAyIoyqEuIw69TeTBbs1m6YwuUQeqNV3t0m8U95phK7TB5-P_c4N1JDsYMnb_dqb5b69_Rw1c-GM7xQB6MBu2jZ61mL9ZD9XiP5kdzqXHxoWZHWYG1ZG0" type="text/javascript"></script>
<script src="js/cachedetails.js" type="text/javascript"></script>
<script src="../js/latlng.js" type="text/javascript"></script>
<script type="text/javascript">
//<![CDATA[
Sys.WebForms.PageRequestManager._initialize('ctl00$uxMainScriptManager', 'aspnetForm', [], [], [], 90, 'ctl00');
//]]>
</script>
<div id="Top" class="SkipLinks">
<a id="ctl00_hlSkipLinksNavigation" accesskey="n" title="Skip to Navigation" href="#Navigation">Skip to Navigation</a>
<a id="ctl00_hlSkipLinksContent" accesskey="c" title="Skip to Content" href="#Content">Skip to Content</a>
</div>
<!--[if lte IE 6]>
<div class="WarningMessage PhaseOut">
<p>Groundspeak is phasing out support for older browsers. Visit the <a href="http://support.groundspeak.com/index.php?pg=kb.page&id=215" title="Browser Support Information">Help Center</a> for more information.</p>
</div>
<![endif]-->
<div class="PrintOnly">
<p>
<img src="/images/logo_print_bw.png" alt="Geocaching.com" /></p>
<hr />
</div>
<header>
<div class="container">
<h1 class="Logo span-16">
<a href="../" id="ctl00_HDHomeLink" title="Geocaching" accesskey="h">Geocaching</a></h1>
<div class="ProfileWidget span-8 last">
<div id="ctl00_divSignedIn">
<p class="Avatar NoBottomSpacing">
<a id="ctl00_hlHeaderAvatar" accesskey="p" title="Your Profile" href="../my/"><img title="Your Profile" src="http://img.geocaching.com/user/avatar/50f83123-27d8-4dcf-9fde-2af006efaf2b.jpg" alt="" style="border-width:0px;" /></a></p>
<p class="SignedInText">
<strong>
Hello, <a href="/my/default.aspx" title="View Profile for blafoo" class="SignedInProfileLink">blafoo</a></strong> (<a id="ctl00_hlSignOut" accesskey="s" title="Sign Out" href="https://www.geocaching.com/login/default.aspx?RESET=Y&redir=http%3a%2f%2fwww.geocaching.com%2fseek%2fcache_details.aspx%3flog%3dy%26wp%3dGC2JVEH%26numlogs%3d35%26decrypt%3dy">Sign Out</a>)<br />
<span id="ctl00_litPMLevel">Premium Member</span>
<strong style="display:block">
<img src="/images/icons/icon_smile.png" title="Caches Found" /> 692 <img src="/images/challenges/types/sm/challenge.png" title="Challenges Completed" /> 3</strong>
</p>
</div>
</div>
<nav id="Navigation" class="span-24 last">
<ul class="Menu">
<li>
<a id="ctl00_hlNavLearn" accesskey="1" title="Learn" href="../guide/">Learn ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavGeocaching101" accesskey="i" title="Geocaching 101" href="../guide/">Geocaching 101</a></li>
<li>
<a id="ctl00_hlSubNavGeocaching2Minutes" title="Geocaching in 2 Minutes" href="../videos/#cat=cat:newbies&vid=-4VFeYZTTYs">Geocaching in 2 Minutes</a></li>
</ul>
</li>
<li id="ctl00_liNavProfile">
<a id="ctl00_hlNavProfile" accesskey="2" title="Your Profile" href="../my/">Your Profile ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavQuickView" accesskey="p" title="Quick View" href="../my/">Quick View</a></li>
<li>
<a id="ctl00_hlSubNavLists" accesskey="q" title="Lists" href="../my/lists.aspx">Lists</a></li>
<li class="ExtraText">
<a id="ctl00_hlSubNavGeocaches" accesskey="m" title="Geocaches" class="NoRightPadding" href="../my/geocaches.aspx">Geocaches</a>
(<a id="ctl00_hlSubNavGeocachesYours" accesskey="y" title="Yours" class="NoSidePadding" href="../my/owned.aspx">Yours</a>)</li>
<li class="ExtraText">
<a id="ctl00_hlSubNavProfileTrackables" title="Trackables" class="NoRightPadding" href="../my/travelbugs.aspx">Trackables</a>
(<a id="ctl00_hlSubNavTrackablesYours" accesskey="8" title="Yours" class="NoSidePadding" href="../track/search.aspx?o=1&uid=0564a940-8311-40ee-8e76-7e91b2cf6284">Yours</a>)</li>
<li>
<a id="ctl00_hlSubNavPocketQueries" accesskey="9" title="Pocket Queries" href="../pocket/">Pocket Queries</a></li>
<li>
<a id="ctl00_hlSubNavFieldNotes" accesskey="0" title="Field Notes" href="../my/fieldnotes.aspx">Field Notes</a></li>
<li>
<a id="ctl00_hlSubNavProfileChallenges" title="Challenges" href="../my/challenges.aspx">Challenges</a></li>
<li>
<a id="ctl00_hlSubNavAccount" accesskey="a" title="Account Details" href="../account/">Account Details</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavPlay" accesskey="3" title="Play" href="./">Play ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavHide" accesskey="d" title="Hide & Seek a Cache" href="./">Hide & Seek a Cache</a></li>
<li>
<a id="ctl00_hlSubNavLogCache" title="Log a Cache" href="../my/recentlyviewedcaches.aspx">Log a Cache</a></li>
<li><a id="ctl00_hlSubNavMap" accesskey="/" title="View Geocache Map" href="../map/">View Geocache Map</a></li>
<li>
<a id="ctl00_hlSubNavChallenges" title="Find Challenges" href="../challenges/">Find Challenges</a></li>
<li>
<a id="ctl00_hlSubNavTrackables" accesskey="e" title="Find Trackables" href="../track/">Find Trackables</a></li>
<li>
<a id="ctl00_hlSubNavHelpCenter" title="Help Center" rel="external" href="http://support.groundspeak.com/index.php">Help Center</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavCommunity" accesskey="6" title="Community" href="../forums/">Community ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavTellaFriend" accesskey="-" title="Tell a Friend" href="../account/SendReferral.aspx">Tell a Friend</a></li>
<li><a id="ctl00_hlSubNavVolunteers" accesskey="+" title="Volunteers" href="../volunteers/">Volunteers</a></li>
<li>
<a id="ctl00_hlSubNavLocal" accesskey="z" title="Local Organizations" href="../organizations/">Local Organizations</a></li>
<li>
<a id="ctl00_hlSubNavDiscussionForums" accesskey="f" title="Discussion Forums" href="../forums/">Discussion Forums</a></li>
<li>
<a id="ctl00_hlSubNavBlog" accesskey="b" title="Blog" rel="external" href="http://blog.geocaching.com/">Blog</a></li>
<li>
<a id="ctl00_hlSubNavEvents" accesskey="v" title="Events" href="../calendar/">Events</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavShop" accesskey="4" title="Shop" href="http://shop.geocaching.com/">Shop ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavShop" accesskey="j" title="Shop Geocaching" rel="external" href="http://shop.geocaching.com/">Shop Geocaching</a></li>
<li>
<a id="ctl00_hlSubNavIntlRetailers" title="International Retailers" rel="external" href="http://shop.geocaching.com/default/international-retailers/">International Retailers</a></li>
<li>
<a id="ctl00_hlSubNavGPSReviews" accesskey="w" title="GPS Reviews" href="/reviews/gps">GPS Reviews</a></li>
<li>
<a id="ctl00_hlSubNavGPSGuide" accesskey="k" title="Guide to Buying a GPS Device" href="../about/buying.aspx">Guide to Buying a GPS Device</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavPartnering" accesskey="5" title="Partnering" href="../travel/">Partnering ▼</a>
<ul class="SubMenu">
<li>
<a id="ctl00_hlSubNavTravel" title="Travel and GeoTourism" href="../travel/">Travel and GeoTourism</a></li>
<li>
<a id="ctl00_hlSubNavBrandedPromotions" title="Branded Promotions" href="../brandedpromotions/">Branded Promotions</a></li>
<li>
<a id="ctl00_hlSubNavEducation" title="Geocaching and Education" href="../education/">Geocaching and Education</a></li>
<li>
<a id="ctl00_hlSubNavAdvertisingWithUs" title="Advertising with Us" href="../about/advertising.aspx">Advertising with Us</a></li>
<li>
<a id="ctl00_hlSubNavAPIProgram" title="API Program" href="../live/apidevelopers/">API Program</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavVideos" accesskey="7" title="Videos" href="../videos/">Videos</a></li>
<li>
<a id="ctl00_hlNavFollowUs" title="Follow Us" href="http://www.facebook.com/pages/Geocachingcom/45625464679?ref=ts">Follow Us ▼</a>
<ul class="SubMenu NavSocialMedia">
<li>
<a id="ctl00_hlSubNavFacebook" title="Facebook" class="SubNavFacebook" href="http://www.facebook.com/pages/Geocachingcom/45625464679?ref=ts">Facebook</a></li>
<li>
<a id="ctl00_hlSubNavTwitter" title="Twitter" class="SubNavTwitter" href="http://twitter.com/GoGeocaching">Twitter</a></li>
<li>
<a id="ctl00_hlSubNavFlickr" title="Flickr" class="SubNavFlickr" href="http://www.flickr.com/photos/geocaching_com/">Flickr</a></li>
<li>
<a id="ctl00_hlSubNavYouTube" title="YouTube" class="SubNavYouTube" href="http://www.youtube.com/user/GoGeocaching">YouTube</a></li>
</ul>
</li>
</ul>
</nav>
</div>
</header>
<section id="Content">
<div class="container">
<div id="ctl00_divBreadcrumbs" class="BreadcrumbWidget span-24 last">
<p>
<span id="ctl00_Breadcrumbs"><span><a title="Geocaching - The Official Global GPS Cache Hunt Site" href="/">Geocaching</a></span><span> > </span><span><a title="Hide and Seek A Geocache" href="/seek/default.aspx">Hide and Seek A Geocache</a></span><span> > </span><span>Geocache Details</span></span>
</p>
</div>
<div id="ctl00_divContentMain" class="span-24 last">
<div id="ctl00_ContentBody_CoordInfoLinkControl1_uxCoordInfoLinkPanel" class="CoordInfoLinkWidget">
<p>
<a href="#" class="CoordInfoLink">
<span id="ctl00_ContentBody_CoordInfoLinkControl1_uxCoordInfoCode" class="CoordInfoCode">GC2JVEH</span>
<span class="arrow">▼</span> </a>
</p>
</div>
<div id="dlgClipboard">
<input type="text" class="TextFormat" />
<a href="#" onclick="$('#dlgClipboard').hide();return false;">
<img src="/images/stockholm/mini/close.gif" alt="Close" title="Close" /></a>
</div>
<script type="text/javascript">
$("a.CoordInfoLink").click(function (e) {
e.preventDefault();
$("#dlgClipboard")
.show()
.position({
of: $("a.CoordInfoLink"),
my: "right top",
at: "right bottom",
offset: "0 5"
})
.find("input")
.val('http://coord.info/' + $('.CoordInfoCode').text())
.focus()
.select();
$(document).mouseup(function (e) {
if ($(e.target).parent("div#dlgClipboard").length == 0) {
$(this).unbind(e);
$("div#dlgClipboard").hide();
}
});
return false;
});
</script>
<div class="span-17">
<div class="span-17 last BottomSpacing" id="cacheDetails">
<p class="cacheImage">
<a href="/about/cache_types.aspx" target="_blank" title="About Cache Types"><img src="/images/WptTypes/8.gif" alt="Unknown Cache" title="Unknown Cache" /></a>
</p>
<h2 class="NoBottomSpacing">
<span id="ctl00_ContentBody_CacheName">Auf den Spuren des Indianer Jones Teil 1</span></h2>
<div class="minorCacheDetails Clear">
<div id="ctl00_ContentBody_mcd1">
A cache by <a href="http://www.geocaching.com/profile/?guid=af08f081-faf4-4992-8268-1e16ab4677a9&wid=07270e8c-72ec-4821-8cb7-b01483f94cb5&ds=2">indianerjones, der merlyn,reflektordetektor</a></div>
<div id="ctl00_ContentBody_mcd2">
Hidden:
28/11/2010
</div>
<div></div>
</div>
</div>
<div id="ctl00_ContentBody_diffTerr" class="CacheStarLabels span-3 BottomSpacing">
Difficulty:
<br />
Terrain:
</div>
<div id="ctl00_ContentBody_diffTerrStars" class="CacheStarImgs span-2">
<span id="ctl00_ContentBody_uxLegendScale" title="(1 is easiest, 5 is hardest)"><img src="http://www.geocaching.com/images/stars/stars5.gif" alt="5 out of 5" /></span>
<span id="ctl00_ContentBody_Localize12" title="(1 is easiest, 5 is hardest)"><img src="http://www.geocaching.com/images/stars/stars3.gif" alt="3 out of 5" /></span>
</div>
<div id="ctl00_ContentBody_size" class="CacheSize span-9">
<p style="text-align: center;">
Size: <span class="minorCacheDetails"><img src="/images/icons/container/small.gif" alt="Size: small" title="Size: small" /> <small>(small)</small></span></p>
</div>
<div class="span-3 right last">
<div class="favorite right">
<a id="uxFavContainerLink" href="javascript:void(0);">
<div class="favorite-container">
<span class="favorite-value">
51</span><br />
Favorites
<img id="imgFavoriteArrow" src="/images/arrow-down.png" alt="Expand" title="Expand" />
</div>
</a>
<div class="favorite-dropdown">
<dl class="top">
<dt>
<img id="imgFavoriteScore" src="/images/loading3.gif" width="20" height="20" alt="Loading" title="Loading" /></dt>
<dd>
<span id="uxFavoriteScore"> </span></dd>
</dl>
<dl class="bottom">
<dt>
<img src="/images/silk/group_go.png" alt="View Who Favorited this Cache" title="View Who Favorited this Cache" /></dt>
<dd>
<a id="hlViewWhoFavorited" title="View Who Favorited this Cache" href="/seek/cache_favorited.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5">View Who Favorited this Cache</a></dd>
<dt>
<img src="/images/silk/help.png" alt="About Favorites" title="About Favorites" /></dt>
<dd>
<a id="hlAboutFavorites" title="About Favorites" href="http://support.groundspeak.com/index.php?pg=kb.page&id=287" target="_blank">About Favorites</a>
</dd>
</dl>
</div>
</div>
</div>
<p class="Clear">
</p>
<p class="Warning NoBottomSpacing">This is a Premium Member Only cache.</p>
<div id="ctl00_ContentBody_CacheInformationTable" class="CacheInformationTable">
<div class="LocationData FloatContainer">
<div class="span-9">
<p class="NoBottomSpacing">
<a href="#" class="edit-cache-coordinates" id="uxLatLonLink" title="Correct these coordinates">
<span id="uxLatLon" style="font-weight:bold;">N 52° 22.335 E 009° 44.122</span>
</a>
<br />
<span id="ctl00_ContentBody_LocationSubPanel" style="display:inline;"><small>
UTM: 32U E 550063 N 5802696</small>
<br />
</span><small>
<a id="ctl00_ContentBody_lnkConversions" title="Other Conversions" href="/wpt/?lat=52.37225&lon=9.735367&detail=1" target="_blank">Other Conversions</a>
</small>
</p>
</div>
<div class="span-7 last AlignRight">
<span id="ctl00_ContentBody_Location">In Niedersachsen, Germany</span><br />
<span id="lblDistFromHome"><img src="/images/icons/compass/SE.gif" alt="SE" style="vertical-align:text-bottom" /> SE 10.8 km from your home location</span>
</div>
</div>
<div id="Print">
<p class="NoBottomSpacing">
<span id="ctl00_ContentBody_uxPrintHeader" style="font-weight:bold;">Print</span>:
<br />
<small>
<a id="ctl00_ContentBody_lnkPrintFriendly" class="lnk" href="cdpf.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5" target="_blank">
<img src="/images/silk/printer.png" alt="Print" title="Print" width="16" height="16" /> <span>
No Logs
</span>
</a>
<a id="ctl00_ContentBody_lnkPrintFriendly5Logs" href="cdpf.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5&lc=5" target="_blank">5 Logs</a>
<a id="ctl00_ContentBody_lnkPrintFriendly10Logs" href="cdpf.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5&lc=10" target="_blank">10 Logs</a> ·
<a id="ctl00_ContentBody_lnkPrintDirectionsSimple" class="lnk" href="http://maps.google.com/maps?f=d&hl=en&saddr=52.4162,9.594117 (Home Location)&daddr=52.37225,9.735367(Auf+den+Spuren+des+Indianer+Jones+Teil+1)" target="_blank">
<img src="/images/silk/car.png" alt="Driving Directions" title="Driving Directions" width="16" height="16" /> <span>
Driving Directions
</span>
</a></small></p>
<div id="ctl00_ContentBody_uxPrintPDFSection" style="display: none;">
<p>
<img src="/images/pdf_icon.gif" width="16" height="16" alt="PDF" title="PDF" /> <small>[PDF:] <a id="ctl00_ContentBody_lnkPDFPrintNoLogs" href="javascript:pl(0);">No Logs</a> <a id="ctl00_ContentBody_lnkPDFPrint5Logs" href="javascript:pl(5);">5 Logs</a> <a id="ctl00_ContentBody_lnkPDFPrint10Logs" href="javascript:pl(10);">10 Logs</a></small></p>
</div>
</div>
<div id="Download">
<p class="NoBottomSpacing">
<span id="ctl00_ContentBody_uxDownloadLabel" style="font-weight:bold;">Download</span>:
<small>
<a id="ctl00_ContentBody_lnkDownloads" title="Read about waypoint downloads" href="/software/default.aspx">Read about waypoint downloads</a>
</small>
</p>
<p class="NoBottomSpacing TopSpacing">
<input type="submit" name="ctl00$ContentBody$btnLocDL" value="LOC waypoint file" id="ctl00_ContentBody_btnLocDL" />
|
<input type="submit" name="ctl00$ContentBody$btnGPXDL" value="GPX file" id="ctl00_ContentBody_btnGPXDL" />
|
<input type="submit" name="ctl00$ContentBody$btnSendToGPS" value="Send to My GPS" onclick="s2gps('07270e8c-72ec-4821-8cb7-b01483f94cb5');return false;" id="ctl00_ContentBody_btnSendToGPS" />
|
<input type="submit" name="ctl00$ContentBody$btnSendToPhone" value="Send to My Phone" onclick="s2phone('GC2JVEH');return false;" id="ctl00_ContentBody_btnSendToPhone" />
</p>
</div>
</div>
<fieldset class="DisclaimerWidget">
<legend class="warning">
Please note
</legend>
<p class="NoBottomSpacing">
Use of geocaching.com services is subject to the terms and conditions <a href="/about/disclaimer.aspx" title="Read Our Disclaimer">in our disclaimer</a>.
</p>
</fieldset>
<fieldset class="NotesWidget">
<legend class="note">
Personal Cache Note
</legend>
<img src="/images/silk/help.png" id="pcn_help" class="CacheNoteHelpImg" />
<p id="cache_note" class="NoBottomSpacing">
Seelig sind die Barmherzigen, denn sie werden Barmherzigkeit erlangen Gartenfriedhof</p>
</fieldset>
<div class="UserSuppliedContent">
<span id="ctl00_ContentBody_ShortDescription">Aufgabe zum Start: Finde die Schattenlinie. !!!Die Skizze mit den Zahlen solltest du mitnehmen!!! Du solltest den cache so beginnen, das du station 2 in der Zeit von mo- fr von 11-19 Uhr und sa von 11-16 Uhr erledigt hast. Achtung: Damit ihr die Zahlenpause in druckbarer Größe sehen könnt müsst ihr über die Bildergalerie gehen nicht über den unten zu sehenden link.....
</span>
</div>
<br />
<div class="UserSuppliedContent">
<span id="ctl00_ContentBody_LongDescription"><img src="http://img.geocaching.com/cache/large/1711f8a1-796a-405b-82ba-8685f2e9f024.jpg" /></span>
</div>
<p>
</p>
<p id="ctl00_ContentBody_hints">
<strong>
Additional Hints</strong>
(<a id="ctl00_ContentBody_lnkDH" title="Decrypt" onclick="return false;" href="#">No hints available.</a>)</p>
<div id="div_hint" class="span-8 WrapFix">
</div>
<div id='dk' style="display: block;" class="span-9 last">
<span id="ctl00_ContentBody_EncryptionKey" class="right"></span>
</div>
<div class="Clear">
</div>
</div>
<div class="span-6 prepend-1 last">
<div class="CacheDetailNavigationWidget NoPrint">
<h3 class="WidgetHeader">
<img id="ctl00_ContentBody_GeoNav2_uxHeaderImage" src="../images/stockholm/16x16/home.gif" alt="Navigation" style="border-width:0px;" />
Navigation
</h3>
<div class="WidgetBody">
<ul class="CacheDetailsNavLinks">
<li><a href="/seek/log.aspx?ID=1997597" class="lnk"><img src="/images/stockholm/16x16/comment_add.gif" /> <span>Log your visit</span></a></li>
<li><a href="/seek/gallery.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5" class="lnk"><img src="/images/stockholm/16x16/photos.gif" /> <span>View Gallery</span></a></li>
<li><a href="/my/watchlist.aspx?w=1997597" class="lnk"><img src="/images/stockholm/16x16/icon_watchlist.gif" /> <span>Watch Listing</span></a></li>
<li><a href="/bookmarks/ignore.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5&WptTypeID=8" class="lnk"><img src="/images/stockholm/16x16/cross.gif" /> <span>Ignore Listing</span></a></li>
<li><a href="/bookmarks/mark.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5&WptTypeID=8" class="lnk"><img src="/images/stockholm/16x16/book_open_mark.gif" /> <span>Bookmark Listing</span></a></li>
</ul>
</div>
</div>
<div class="StatusInformationWidget FavoriteWidget" style="font-size: 85%;">
<div id="pnlFavoriteCache">
<p>
<a href="javascript:void(0);" id="remove_from_favorites">
<img src="/images/icons/icon_favDelete.png" alt="Remove from your Favorites" title="Remove from your Favorites" />Remove from your Favorites</a>
</p>
</div><div id="pnlNonfavoriteCache" class="hideMe">
<p>
<a href="javascript:void(0);" id="add_to_favorites">
<img src="/images/icons/icon_favAdd.png" alt="Add to your Favorites" title="Add to your Favorites" />Add to your Favorites</a></p>
</div>
<p>
<span class="favorite-rank Clear">
13
</span>
<a id="ctl00_ContentBody_hlFavoritePointsRemaining" href="/my/favorites.aspx">Favorite points remaining</a>
</p>
</div>
<div id="ctl00_ContentBody_uxStatusInformation" class="StatusInformationWidget">
<p>
<a id="ctl00_ContentBody_hlFoundItLog" href="/seek/log.aspx?LUID=b8a06f0a-05e6-4dea-ab27-53a5f0026e51">
<img src="/images/stockholm/16x16/check.gif" alt="Found It" title="Found It" />You logged this as Found on 30/06/2012.</a></p>
<div id="ctl00_ContentBody_pnlWatchedCount">
<p>
<img src="/images/icons/icon_watchlist.gif" alt="Watching" /> 13 user(s) watching this cache.</p>
</div>
</div>
<div id="map_preview_canvas" class="TopSpacing" style="width: 228px; height: 175px;">
</div>
<div id="ctl00_ContentBody_detailWidget" class="CacheDetailNavigationWidget TopSpacing BottomSpacing">
<h3 class="WidgetHeader">
<img src="/images/icon_Boardattention.gif" height="16" width="16" alt="Info" title="Info" />
Attributes</h3>
<div class="WidgetBody">
<img src="/images/attributes/winter-yes.gif" alt="available in winter" title="available in winter" width="30" height="30" /> <img src="/images/attributes/flashlight-yes.gif" alt="flashlight required" title="flashlight required" width="30" height="30" /> <img src="/images/attributes/stealth-yes.gif" alt="stealth required" title="stealth required" width="30" height="30" /> <img src="/images/attributes/parking-yes.gif" alt="parking available" title="parking available" width="30" height="30" /> <img src="/images/attributes/AbandonedBuilding-yes.gif" alt="in abandoned structure" title="in abandoned structure" width="30" height="30" /> <img src="/images/attributes/hike_med-yes.gif" alt="hike between 1km-10km" title="hike between 1km-10km" width="30" height="30" /> <img src="/images/attributes/rappelling-yes.gif" alt="climbing gear" title="climbing gear" width="30" height="30" /> <img src="/images/attributes/attribute-blank.gif" alt="blank" title="blank" width="30" height="30" /> <img src="/images/attributes/attribute-blank.gif" alt="blank" title="blank" width="30" height="30" /> <img src="/images/attributes/attribute-blank.gif" alt="blank" title="blank" width="30" height="30" /> <img src="/images/attributes/attribute-blank.gif" alt="blank" title="blank" width="30" height="30" /> <img src="/images/attributes/attribute-blank.gif" alt="blank" title="blank" width="30" height="30" /> <p class="NoBottomSpacing"><small><a href="/about/icons.aspx" title="What are Attributes?">What are Attributes?</a></small></p>
</div>
</div>
<div id="ctl00_ContentBody_uxBanManWidget" class="CacheDetailPageAds clear">
<div id="ctl00_ContentBody_divContentSide">
<p class="NoBottomSpacing">
<span id="ctl00_ContentBody_ADModules_09"><iframe type="iframe" src="http://ads.groundspeak.com/a.aspx?ZoneID=9&Task=Get&SiteID=1&X='067ae241a08444b69e4b5a36d70dec0c'" width="120" height="240" Marginwidth="0" Marginheight="0" Hspace="0" Vspace="0" Frameborder="0" Scrolling="no" style="width:120px;Height:240px;"><a href="http://ads.groundspeak.com/a.aspx?ZoneID=9&Task=Click&;Mode=HTML&SiteID=1" target="_blank"><img src="http://ads.groundspeak.com/a.aspx?ZoneID=9&Task=Get&Mode=HTML&SiteID=1" width="120" height="240" border="0" alt="" /></a></iframe></span>
</p>
<p class="AlignCenter">
<small><a href="../about/advertising.aspx" id="ctl00_ContentBody_advertisingWithUs" title="Advertising with Us">Advertising with Us</a></small></p>
</div>
</div>
<div class="GoogleAds AlignCenter BottomSpacing">
</div>
<div class="clear">
</div>
<span id="ctl00_ContentBody_lnkTravelBugs"></span>
<div class="CacheDetailNavigationWidget">
<h3 class="WidgetHeader">
<img id="ctl00_ContentBody_uxTravelBugList_uxInventoryIcon" src="../images/WptTypes/sm/tb_coin.gif" alt="Inventory" style="height:16px;width:16px;border-width:0px;" />
<span id="ctl00_ContentBody_uxTravelBugList_uxInventoryLabel">Inventory</span>
</h3>
<div class="WidgetBody">
<ul>
<li>
<a href="http://www.geocaching.com/track/details.aspx?guid=e32919d3-eb95-4d03-a6c4-d0adfff97865" class="lnk">
<img src="http://www.geocaching.com/images/wpttypes/sm/21.gif" width="16" /><span>Ichthyosaurus Humerus</span></a>
</li>
</ul>
<div class="TopSpacing">
<div id="ctl00_ContentBody_uxTravelBugList_uxTrackableItemsLinks">
<p class="NoBottomSpacing"><a id="ctl00_ContentBody_uxTravelBugList_uxViewAllTrackableItems" href="../track/search.aspx?wid=07270e8c-72ec-4821-8cb7-b01483f94cb5&ccid=1997597">View all Trackables</a></p>
</div>
<p class="NoBottomSpacing"><a id="ctl00_ContentBody_uxTravelBugList_uxTrackableItemsHistory" href="../track/search.aspx?wid=07270e8c-72ec-4821-8cb7-b01483f94cb5">View past Trackables</a></p>
<p class="NoBottomSpacing"><a id="ctl00_ContentBody_uxTravelBugList_uxWhatAreTrackables" title="What are Trackable Items?" href="../track/default.aspx">What are Trackable Items?</a></p>
</div>
</div>
</div>
<div class="CacheDetailNavigationWidget">
<h3 class="WidgetHeader">
<img src="/images/stockholm/16x16/pages.gif" width="16" height="16" alt="" /> Bookmark Lists</h3>
<div class="WidgetBody">
<ul>
<li style='padding: .5em;' class=''>
<a href="http://www.geocaching.com/bookmarks/view.aspx?guid=760eb314-838d-4afc-aa5b-45b2212ee49c">
T5 absolviert</a><br />
<small><em>
by
<a href="http://www.geocaching.com/profile/?guid=5c4b0915-5cec-4fa1-8afd-4b3ca67e004e">
kai2707</a> </em></small>
</li>
<li style='padding: .5em;' class='AlternatingRow'>
<a href="http://www.geocaching.com/bookmarks/view.aspx?guid=0a2e4b32-11cd-4e46-b52b-afa6bfc84dd2">
ToDo</a><br />
<small><em>
by
<a href="http://www.geocaching.com/profile/?guid=822c0feb-4dd0-4318-9bdf-ea19764193a8">
H.Waii</a> </em></small>
</li>
<li style='padding: .5em;' class=''>
<a href="http://www.geocaching.com/bookmarks/view.aspx?guid=830162c2-72de-4876-bf22-244d59f8ba27">
Diese sind noch fällig</a><br />
<small><em>
by
<a href="http://www.geocaching.com/profile/?guid=f3b9e609-633b-43af-9e34-1f8f54b86a9e">
ceewee</a> </em></small>
</li>
</ul>
<p class="NoBottomSpacing">
<a href="/bookmarks/default.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5&WptTypeID=8" title="View all 9 bookmark lists...">View all 9 bookmark lists...</a>
</p>
</div>
</div>
<div class="CacheDetailNavigationWidget">
<h3 class="WidgetHeader">
<img src="/images/stockholm/16x16/pages.gif" width="16" height="16" alt="" /> My Bookmark Lists</h3>
<div class="WidgetBody">
<ul>
<li style='padding: .5em;' class=''>
<a href="http://www.geocaching.com/bookmarks/view.aspx?guid=818a96ef-949d-4238-8e13-e56947dc04a2">
Finals</a><br />
<small><em>
by
<a href="http://www.geocaching.com/profile/?guid=0564a940-8311-40ee-8e76-7e91b2cf6284">
blafoo</a> </em></small>
</li>
</ul>
<p class="NoBottomSpacing">
</p>
</div>
</div>
</div>
<div id="ctl00_ContentBody_bottomSection" class="span-24 last">
<p>
<br />
</p>
<div id="uxlrgMap" class="fr">
<div class="PageBreakBefore">
</div>
<div class="CDMapWidget">
<p class="WidgetHeader NoBottomSpacing">
<a id="ctl00_ContentBody_uxViewLargerMap" title="View Larger Map" class="lnk" href="/map/default.aspx?lat=52.37225&lng=9.735367" target="_blank"><img src="/images/silk/map_go.png" /> <span>View Larger Map</span></a>
</p>
<div id="map_canvas" style="width: 325px; height: 325px;">
</div>
<p class="WidgetFooter">
<a id="ctl00_ContentBody_uxNotesAboutPrinting" href="#mapPrintingNotes" class="NoPrint">Notes about Printing Maps</a></p>
</div>
<div style="display: none;">
<div id="mapPrintingNotes">
To print the map in Firefox and Opera, enable background images in the print dialog.
<a href="#dlgMapPrintWarning" class="dialog" onclick="$.fancybox.close()">
Close
</a>
</div>
</div>
</div>
<p class="NoPrint">
<span id="ctl00_ContentBody_uxFindLinksHeader" style="font-weight:bold;">Find...</span>
<br />
<span id="ctl00_ContentBody_FindText"></span>
</p>
<ul class="NoPrint">
<li>
...other caches
<a id="ctl00_ContentBody_uxFindLinksHiddenByThisUser" href="/seek/nearest.aspx?u=indianerjones">hidden</a>
or
<a id="ctl00_ContentBody_uxFindLinksFoundByThisUser" href="/seek/nearest.aspx?ul=indianerjones">found</a>
by this user
</li>
<li>
...nearby <a id="ctl00_ContentBody_uxFindLinksNearbyCachesOfType" href="/seek/nearest.aspx?tx=40861821-1835-4e11-b666-8d41064d03fe&lat=52.372250&lng=9.735367">caches of this type</a>,
<a id="ctl00_ContentBody_uxFindLinksNearbyNotFound" href="/seek/nearest.aspx?tx=40861821-1835-4e11-b666-8d41064d03fe&lat=52.372250&lng=9.735367&f=1">that I haven't found</a>
</li>
<li>
...all nearby <a id="ctl00_ContentBody_uxFindLinksAllNearbyCaches" href="/seek/nearest.aspx?lat=52.372250&lng=9.735367">caches</a>,
<a id="ctl00_ContentBody_uxFindLinksAllNearbyNotFound" href="/seek/nearest.aspx?lat=52.372250&lng=9.735367&f=1">that I haven't found</a>
</li>
<li>
...all nearby <a id="ctl00_ContentBody_uxFindLinksWaymarking" href="http://www.waymarking.com/directory.aspx?f=1&lat=52.372250&lon=9.735367">waymarks on Waymarking.com</a>
</li>
<li>
...nearby <a id="ctl00_ContentBody_uxFindLinksHotels" href="/reviews/hotels-coords-52.3723,9.7354">Hotels</a>
</li>
</ul>
<p class="NoPrint">
<span id="ctl00_ContentBody_uxMapLinkHeader" style="font-weight:bold;">For online maps...</span>
</p>
<span class="NoPrint">
<ul>
<span id="ctl00_ContentBody_MapLinks_MapLinks"><li><a href="http://www.geocaching.com/map/default.aspx?lat=52.37225&lng=9.73537" target="_blank">Geocaching.com Map</a></li><li><a href="http://maps.google.com/maps?q=N+52%c2%b0+22.335+E+009%c2%b0+44.122+(GC2JVEH)+" target="_blank">Google Maps</a></li><li><a href="http://www.mapquest.com/maps/map.adp?searchtype=address&formtype=latlong&latlongtype=decimal&latitude=52.37225&longitude=9.73537&zoom=10" target="_blank">MapQuest</a></li><li><a href="http://maps.yahoo.com/#lat=52.37225&lon=9.73537&zoom=16&q=52.37225,9.73537&conf=1&start=1&mvt=m&trf=0" target="_blank">Yahoo Maps</a></li><li><a href="http://www.bing.com/maps/default.aspx?v=2&lvl=14&sp=point.52.37225_9.73537_GC2JVEH" target="_blank">Bing Maps</a></li><li><a href="http://www.opencyclemap.org/?zoom=12&lat=52.37225&lon=9.73537" target="_blank">Open Cycle Maps</a></li><li><a href="http://www.openstreetmap.org/?mlat=52.37225&mlon=9.73537&zoom=12" target="_blank">Open Street Maps</a></li></span>
</ul>
</span>
<p class="NoPrint">
<a href="http://img.geocaching.com/cache/large/1711f8a1-796a-405b-82ba-8685f2e9f024.jpg" rel="lightbox" class="lnk"><img class="StatusIcon" src="/images/stockholm/16x16/images.gif" alt="Photos" title="Photos" /><span>indy mit text netz Kopie</span></a><br /><a href="http://img.geocaching.com/cache/large/62f39911-86ab-422c-8322-259d0f118848.jpg" rel="lightbox" class="lnk"><img class="StatusIcon" src="/images/stockholm/16x16/images.gif" alt="Photos" title="Photos" /><span>Spoiler st.1</span></a><br /><a href="http://img.geocaching.com/cache/large/b7c3df61-2403-4ce8-87be-41c54244116f.jpg" rel="lightbox" class="lnk"><img class="StatusIcon" src="/images/stockholm/16x16/images.gif" alt="Photos" title="Photos" /><span>Zahlenpause</span></a><br />
</p>
<div class="InformationWidget Clear">
<h3>
109 Logged Visits</h3>
<div class="EncryptDecrypt">
<a href="#" class="decrypt-link">
Decrypt
</a>
</div>
<span id="ctl00_ContentBody_lblFindCounts"><p class="LogTotals"><img src="/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> 99 <img src="/images/icons/icon_note.gif" alt="Write note" title="Write note" /> 7 <img src="/images/icons/icon_disabled.gif" alt="Temporarily Disable Listing" title="Temporarily Disable Listing" /> 1 <img src="/images/icons/icon_enabled.gif" alt="Enable Listing" title="Enable Listing" /> 1 <img src="/images/icons/icon_greenlight.gif" alt="Publish Listing" title="Publish Listing" /> 1 </p></span>
<p class="HalfLeft">
<a id="ctl00_ContentBody_uxLogbookLink" href="cache_logbook.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5">View Logbook</a> | <a id="ctl00_ContentBody_uxGalleryImagesLink" DisplayFormatPlural="View the Image Gallery of {0:#,###} images" DisplayFormatSingular="View the Image Gallery" href="gallery.aspx?guid=07270e8c-72ec-4821-8cb7-b01483f94cb5">View the Image Gallery of 4 images</a>
</p>
<p class="NoBottomSpacing AlignRight">
<span class="Warning">**Warning!</span> <a href="/about/glossary.aspx#spoiler" title="Spoilers">Spoilers</a> may be included in the descriptions or links.
</p>
</div>
<div id="cache_logs_container">
<table id="cache_logs_table" class="LogsTable NoBottomSpacing">
<tbody>
</tbody>
<tfoot>
<tr>
<td class="AlignCenter">
<div id="pnlLazyLoad" style="display: none;">
<img src="/images/loading2.gif" class="StatusIcon" alt="Loading" />
Loading Cache Logs...
</div>
<div id="pnlButtonLoad" style="display: none;">
<a class="MobileButton">
Load More Logs...</a>
</div>
</td>
</tr>
</tfoot>
</table>
</div>
<p>
<small>
Current Time: <time datetime="2012-10-18T12:52:18Z">10/18/2012 12:52:18 Pacific Daylight Time (19:52 GMT)</time><br/>Last Updated: <time class="timeago" datetime="2012-10-01T06:41:06Z">2012-10-01T06:41:06Z</time> on 09/30/2012 23:41:06 Pacific Daylight Time (06:41 GMT) <br/>Rendered From:Unknown<br />Coordinates are in the WGS84 datum
</small>
</p>
</div>
<script id="tmpl_CacheLogRow" type="text/x-jquery-tmpl">
<tr class="log-row" data-encoded="${IsEncoded}" >
<td>
<div class="FloatLeft LogDisplayLeft" >
<p class="logOwnerProfileName">
<strong><a id="143568283" href="/profile/?guid=${AccountGuid}">${UserName}</a></strong></p>
<p class="logOwnerBadge">
<img title="${creator.GroupTitle}" src="${creator.GroupImageUrl}" align="absmiddle" style="vertical-align:middle">${creator.GroupTitle}
</p>
<p class="logOwnerAvatar">
<a href="/profile/?guid=${AccountGuid}">
{{if includeAvatars && AvatarImage}}
<img width="48" height="48" src="http://img.geocaching.com/user/avatar/${AvatarImage}">
{{else includeAvatars }}
<img width="48" height="48" src="/images/default_avatar.jpg">
{{/if}}
</a></p>
<p class="logOwnerStats">
{{if GeocacheFindCount > 0 }}
<img title="Caches Found" src="/images/icons/icon_smile.png"> ${GeocacheFindCount}
{{/if}}
{{if GeocacheFindCount > 0 && ChallengesCompleted > 0 }}
·
{{/if}}
{{if ChallengesCompleted > 0 }}
<img title="Challenges Completed" src="/images/challenges/types/sm/challenge.png"> ${ChallengesCompleted}
{{/if}}
</p>
</div>
<div class="FloatLeft LogDisplayRight">
<div class="HalfLeft LogType">
<strong>
<img title="${LogType}" alt="${LogType}" src="/images/icons/${LogTypeImage}"> ${LogType}</strong></div>
<div class="HalfRight AlignRight">
<span class="minorDetails LogDate">${Visited}</span></div>
<div class="Clear LogContent">
{{if LatLonString.length > 0}}
<strong>${LatLonString}</strong>
{{/if}}
<p class="LogText">{{html LogText}}</p>
{{if Images.length > 0}}
<table cellspacing="0" cellpadding="3" class="LogImagesTable">
{{tmpl(Images) "tmplCacheLogImages"}}
</table>
{{/if}}
<div class="AlignRight">
<small><a title="View Log" href="log.aspx?LUID=${LogGuid}" target="_blank">
{{if (userInfo.ID==AccountID)}}
View / Edit Log / Images
{{else}}
View Log
{{/if}}
</a></small>
{{if (userInfo.ID==AccountID)}}
<small><a title="Upload Image" href="upload.aspx?LID=${LogID}" target="_blank">Upload Image</a></small>
{{/if}}
</div>
</div>
</div>
</td>
</tr>
</script>
<script id="tmpl_CacheLogImages" type="text/x-jquery-tmpl">
<tr>
<td>
<a class="tb_images lnk" rel="tb_images[grp${LogID}]" href="http://img.geocaching.com/cache/log/large/${FileName}" data-title="{{tmpl "tmplCacheLogImagesTitle"}}">
<img title="Photo" alt="Photo" src="/images/silk/photo.png">
<span>${ $('<div />').text($('<div />').html($item.data.Name).text()).html() }</span>
</a>
</td>
</tr>
</script>
<script id="tmpl_CacheLogImagesTitle" type="text/x-jquery-tmpl">
<span class="LogImgTitle"> ${ $('<div />').text($('<div />').text($('<div />').html($item.data.Name).text()).html()).html() } </span><span class="LogImgLink">
<a target="_blank" href="log.aspx?LUID=${$item.parent.parent.data.LogGuid}&IID=${ImageGuid}">View Log</a>
<a href="http://img.geocaching.com/cache/log/large/${FileName}">Print Picture</a></span>
{{if (Descr && Descr.length > 0) }}
<br /><p class="LogImgDescription">${ $('<div />').text($('<div />').text($('<div />').html($item.data.Descr).text()).html()).html() }</p>
{{/if}}
</script>
<script id="tmpl_CacheCoordinateUpdate" type="text/x-jquery-tmpl">
<div class="ccu-update" data-lat="${ll[0]}" data-lng="${ll[1]}">
<h4 class="BottomSpacing">Corrected Coordinates (hidden from others)</h4>
<dl>
<dt>Original:</dt>
<dd>${ll_formatted} <a href="#" class="ccu-restore">Restore</a></dd>
</dl>
<dl class="ccu-parse">
<dt>Change To:</dt>
<dd>
<input type="text" max="40" size="35" class="cc-parse-text">
<button class="ccu-button ccu-parse">Submit</button>
</dd>
</dl>
<dl class="ccu-parseverify" style="display:none;">
<dt>Change To:</dt>
<dd>
<span class="ccu-parseverify-coords">N 32°38.880′, W 097°23.755′</span>
<button class="ccu-button ccu-parseverify-accept">Accept</button> <button class="ccu-button ccu-parseverify-cancel">Cancel</button>
</dd>
</dl>
</div>
<div class="Clear"></div>
</script>
<script type="text/javascript">
<!--
var dh, lat, lng, guid;
dh = 'true';
lat=52.37225; lng=9.735367; guid='07270e8c-72ec-4821-8cb7-b01483f94cb5';
function s2gps(guid) {
var w = window.open('sendtogps.aspx?guid=' + guid, 's2gps', config='width=450,height=450,toolbar=no,menubar=no,scrollbars=no,resizable=no,location=no,directories=no,status=no');
w.focus();
}
function s2phone(wpid) {
window.location.href='sendtophone.aspx?gc=' + wpid;
}
function pl(lc) {
document.location.href='cache_details_print.aspx?guid=' + guid + '&numlogs=' + lc +'&pt=full<=letter&decrypt='+ ((dh)?'y':'n');
}
function setNotification(id) {
//new Effect.Highlight(id, {startcolor:'#ffffff', endcolor:'#ffff99', restorecolor:'#ffff99', duration:3.0, queue:'front'});
//new Effect.Highlight(id, {startcolor:'#ffff99', endcolor:'#ffffff', restorecolor:'#ffffff', duration:5.0, queue:'end'});
}
function cmo(id) {
//new Effect.Fade(id);
Cookie.set('sn', true);
}
function pp(img) {
var w = window.open(img);
w.focus();
}
//-->
</script>
<script language="javascript" type="text/javascript">
var map, bounds;
var canUpdateFavoriteStatus = true;
var decryptLogs = (urlParams["decrypt"] && urlParams["decrypt"] == "y") ? true : false;
var logInitialLoaded = false;
var $tfoot = $("#cache_logs_table").find("tfoot");
var currentPageIdx = 1, totalPages = 1, pageSize = 10;
var isBusy = false;
var locString = {
decrypt: 'Decrypt',
encrypt: 'Encrypt'
};
$("#tmpl_CacheLogImagesTitle").template("tmplCacheLogImagesTitle");
$("#tmpl_CacheLogImages").template("tmplCacheLogImages");
$("#tmpl_CacheLogRow").template("tmplCacheLogRow");
$(".EncryptDecrypt")
.button({ icons: { secondary: 'ui-icon-arrowreturnthick-1-w'} })
.click(function (e) {
e.preventDefault();
$("tr.log-row").each(function (i, obj) {
var $obj = $(obj);
if ($obj.data("encoded") == true) {
var lt = $obj.find("p.LogText");
//var ltDecoded = $('<div />').html(lt.html()).text();
lt.html(convertROTStringWithBrackets(lt.html()));
}
});
decryptLogs = !decryptLogs;
$("a.decrypt-link").html(decryptLogs ? locString.encrypt : locString.decrypt);
return false;
});
function appendNewLogs(obj) {
totalPages = obj.pageInfo.totalPages;
var $newBody = $(document.createElement("TBODY"));
$("#tmpl_CacheLogRow").tmpl(obj.data,{ includeAvatars: includeAvatars }).appendTo($newBody);
$newBody.find("a.tb_images").each(function()
{
var $this = $(this);
$this.fancybox({
'type': 'image',
'titlePosition': 'inside',
'padding': 10,
titleFormat: function() { return $this.data('title'); }
});
});
$("#cache_logs_table")
.append($newBody.children());
currentPageIdx = obj.pageInfo.idx + 1;
pageSize = obj.pageInfo.size;
}
function callLogLoad(hideFooter) {
$.getJSON("/seek/geocache.logbook", { tkn: userToken, idx: currentPageIdx, num: pageSize, decrypt: decryptLogs },
function (response) {
if (response.status == "success") {
appendNewLogs(response);
if( hideFooter || (totalPages < currentPageIdx) ) {
$tfoot.hide();
}
} else if (response.status == "error" && response.value == "1") {
// reload the page since the data had expired.
window.location.reload();
}
isBusy = false;
});
}
$("#add_to_favorites").click(function () {
if (canUpdateFavoriteStatus) {
canUpdateFavoriteStatus = false;
var fv = parseInt($(".favorite-value").text());
fv++;
$(".favorite-value").text(fv);
var fr = parseInt($(".favorite-rank").text());
fr--;
$(".favorite-rank").text(fr);
$("#pnlNonfavoriteCache").fadeOut("fast", function () {
$("#pnlFavoriteCache").fadeIn("fast");
});
$.ajax({
type: "POST",
cache: false,
url: '/datastore/favorites.svc/update?u=' + userToken + '&f=true',
success: function () {
canUpdateFavoriteStatus = true;
gotScore = false;
showFavoriteScore();
}
});
return false;
}
});
$("#remove_from_favorites").click(function () {
if (canUpdateFavoriteStatus) {
canUpdateFavoriteStatus = false;
var fv = parseInt($(".favorite-value").text());
fv--;
$(".favorite-value").text(fv);
var fr = parseInt($(".favorite-rank").text());
fr++;
$(".favorite-rank").text(fr);
$("#pnlFavoriteCache").fadeOut("fast", function () {
$("#pnlNonfavoriteCache").fadeIn("fast");
});
$.ajax({
type: "POST",
cache: false,
url: '/datastore/favorites.svc/update?u=' + userToken + '&f=false',
success: function () {
canUpdateFavoriteStatus = true;
gotScore = false;
showFavoriteScore();
}
});
return false;
}
});
$(function () {
// CSP Section
if ($("#cspMessage").length) {
var editLink = $('a[href*="report.aspx"]').attr('href');
$("#cspMessage").prepend('<P>Please take a moment to check the listing and ensure it is ready to enable. Clicking "Submit for Review" will enable your cache page.</P>');
$("#cspMessage").prepend('<P>Once it is enabled, you will receive a confirmation email that it was successfully submitted. It is peak season for cache placement. Your volunteer reviewer will strive to begin the review process within the next 7 days.</P>');
$("#cspMessage").prepend('<P>Your cache page has not been reviewed yet. It will not appear in the review queue until you enable it.</P>');
$("#cspGoBack").click(function (e) {
e.preventDefault();
window.location = editLink;
return false;
});
$("#cspSubmit").click(function (e) {
e.preventDefault();
$.pageMethod("EnableCSPCache", JSON.stringify({ dto: { ut: userToken } }), function (r) {
var r = JSON.parse(r.d);
if (r.success == true) {
window.location = '/seek/cache_details.aspx?guid=' + r.guid;
} else {
alert("There was an error enabling your cache.");
}
});
return false;
});
$("#cspConfirm").change(function() {
if ($("#cspConfirm").is(":checked")) {
$("#cspSubmit").removeAttr('disabled');
$("#cspGoBack").attr('disabled', true);
} else {
$("#cspSubmit").attr('disabled', true);
$("#cspGoBack").removeAttr('disabled');
}
});
}
//override coords
if (typeof(userDefinedCoords) != "undefined") {
if (userDefinedCoords.status == "success" && userDefinedCoords.data.isUserDefined == true) {
mapLatLng = $.extend({}, mapLatLng, userDefinedCoords.data);
$("#uxLatLon")
.data("isOverridden", true)
.addClass("myLatLon");
} else if (userDefinedCoords.status == "success") {
mapLatLng = $.extend({}, mapLatLng, userDefinedCoords.data);
} else {
$("#uxLatLonLink").contents().unwrap();
}
} else {
$("#uxLatLonLink").contents().unwrap();
}
var cacheNoteText = {
DefaultText: 'Click to enter a note',
ErrorInSaving: 'There was an error saving page. Please refresh the page and try again.',
SavingText: 'Please wait, saving your note...'
};
$("time.timeago").timeago();
$(".button").button();
var sn = Cookie.get('sn');
if ($('#trNotPM').length > 0) {
$('#trNotPM').toggle(!sn);
}
$("#cache_note").editInPlace({
callback: function (unused, enteredText) {
var me = $(this);
var et = $.trim(enteredText);
if (et.length > 500)
et = et.substr(0, 500);
$.pageMethod("SetUserCacheNote", JSON.stringify({ dto: { et: et, ut: userToken} }), function (r) {
var r = JSON.parse(r.d);
if (r.success == true) {
if ($.trim(r.note) == "") {
$("#cache_note").text(cacheNoteText.DefaultText);
} else {
$("#cache_note").text(r.note);
}
me.effect('highlight', { color: '#ffb84c' }, 'slow');
} else {
alert(cacheNoteText.ErrorInSaving);
$("#cache_note").text(cacheNoteText.DefaultText);
}
});
return cacheNoteText.SavingText;
}
, default_text: cacheNoteText.DefaultText
, field_type: "textarea"
, textarea_rows: "7"
, textarea_cols: "65"
, show_buttons: true
, bg_over: "#FDEBBB"
//, callback_skip_dom_reset: true
});
$("#lnk_slippyMap").click(function(e) {
e.preventDefault();
loadDynamicMap();
return false;
});
$(".inplace_field").live("focus", function () {
if ($(this).data("created") == null) {
$(this).data("created", true)
$(this).countable({
maxLength: 500
});
}
});
$("#pcn_help").tipTip({ activation: 'hover', content: 'Enter your own notes here. No other user will be able to access them.' });
$("a.decrypt-link").html(decryptLogs ? locString.encrypt : locString.decrypt);
if ($("#cache_logs_container").length > 0) {
appendNewLogs(initalLogs);
if (DetectMobileQuick()) {
$("#pnlButtonLoad")
.show()
.find("a.MobileButton")
.click(function (e) {
e.preventDefault();
callLogLoad(false);
return false;
})
.button();
if(!DetectTierTablet()){
$("a.MobileButton").addClass("Phone");
}
} else {
$("#pnlLazyLoad").show();
$(window).endlessScroll({
fireOnce: true,
fireDelay: 500,
bottomPixels: ($(document).height() - $("#cache_logs_container").offset().top) + 50,
ceaseFire: function(){
// stop the scrolling if the last page is reached.
return (isLoggedIn == false) || (totalPages < currentPageIdx);
},
callback: function() {
if (!isBusy) {
isBusy = true;
$tfoot.show();
callLogLoad(true);
}
}
});
}
}
if (!isLoggedIn) {
$("#cache_logs_table").find("tfoot").hide();
}
if (mapLatLng != null) {
$("#uxLatLonLink").qtip({
suppress:false,
content: buildCacheCoordMenu(),
position: {
my: 'left top',
at: 'right top',
adjust: {
x: 10, y: -10
}
},
show: {
ready: false,
event: "click",
solo: true
}, hide: {
event: 'unfocus'
},
style: {
tip: {
corner: false
},
classes: 'ui-tooltip-widget'
},
events: {
show: function () {
if ($("#uxLatLon").data("isOverridden")) {
$("a.ccu-restore").show();
} else {
$("a.ccu-restore").hide();
}
if (userDefinedCoords.status != "success") {
$("div.ccu-update").hide();
} else {
$("div.ccu-update").show();
}
}
}
}).click(function (e) {
e.preventDefault();
return false;
});
setStaticMaps();
//$("#staticMap").lazyload();
}
});
function setStaticMaps() {
var map = new L.Map('map_preview_canvas', {
center: new L.LatLng(mapLatLng.lat, mapLatLng.lng),
zoom: 10,
doubleClickZoom: false,
dragging: false,
touchZoom: false,
scrollWheelZoom: false,
attributionControl: false
})
.addControl(new L.Control.Attribution({ prefix: '<a href="/about/maps.aspx#leaflet" target="_blank">About our maps</a>' }));
var mapLarge = new L.Map('map_canvas', {
center: new L.LatLng(mapLatLng.lat, mapLatLng.lng),
zoom: 14,
doubleClickZoom: true,
dragging: true,
touchZoom: false,
scrollWheelZoom: false,
zoomControl: true,
attributionControl: false
})
.addControl(new L.Control.Attribution({ prefix: '<a href="/about/maps.aspx#leaflet" target="_blank">About our maps</a>' }))
.addControl(new L.Control.Scale());
var tileOptions = {
tileUrl: "http://otile{s}.mqcdn.com/tiles/1.0.0/osm/{z}/{x}/{y}.jpg",
name: "mpqosm",
alt: "MapQuest",
//attribution: "Tiles Courtesy of <a href='http://www.mapquest.com/' target='_blank'>MapQuest</a> <img src='http://developer.mapquest.com/content/osm/mq_logo.png'>, Map and map data © 2012 <a href=\"http://www.openstreetmap.org\" target='_blank'>OpenStreetMap</a> and contributors, <a href=\"http://creativecommons.org/licenses/by-sa/2.0/\">CC-BY-SA</a>. ",
subdomains: "1234",
tileSize: 256,
minZoom: 0,
maxZoom: 18
};
map.addLayer(new L.TileLayer(tileOptions.tileUrl, tileOptions));
mapLarge.addLayer(new L.TileLayer(tileOptions.tileUrl, tileOptions));
var pinIcon = L.Icon.extend({
iconSize: new L.Point(20, 23),
iconAnchor: new L.Point(10,23),
shadowUrl: null
});
var mkA = new L.Marker(new L.LatLng(mapLatLng.lat, mapLatLng.lng),
{
icon: new pinIcon({iconUrl:'/images/wpttypes/pins/' + mapLatLng.type + '.png', iconAnchor: new L.Point(10,23)}),
title: mapLatLng.name
})
.on("click", function () {
document.getElementById("uxlrgMap").scrollIntoView(true);
return false;
});
var mkA2 = new L.Marker(new L.LatLng(mapLatLng.lat, mapLatLng.lng), {
icon: new pinIcon({iconUrl:'/images/wpttypes/pins/' + mapLatLng.type + '.png', iconAnchor: new L.Point(10,23)}),
clickable: false, zIndexOffset:99, title: mapLatLng.name
});
map.addLayer(mkA);
mapLarge.addLayer(mkA2);
$("#ctl00_ContentBody_uxNotesAboutPrinting").fancybox({
overlayShow: false
});
if (cmapAdditionalWaypoints != null && cmapAdditionalWaypoints.length > 0) {
var llBounds = new L.LatLngBounds();
for (var x = 0, len = cmapAdditionalWaypoints.length; x < len; x++) {
var item = cmapAdditionalWaypoints[x],
ll = new L.LatLng(item.lat, item.lng),
marker = new L.Marker(ll, {
icon: new pinIcon({iconUrl:'/images/wpttypes/pins/' + item.type + '.png', iconAnchor: new L.Point(10,23)}),
title: item.name,
clickable:false
});
llBounds.extend(ll);
mapLarge.addLayer(marker);
}
var bz = mapLarge.getBoundsZoom(llBounds);
mapLarge.setView(new L.LatLng(mapLatLng.lat, mapLatLng.lng), bz);
}
}
function dht() {
try {
$('#div_hint').html(convertROTStringWithBrackets($('#div_hint').html()));
var linkText = (($('#ctl00_ContentBody_lnkDH').attr('title') == 'Decrypt') ? 'Encrypt' : 'Decrypt');
$('#ctl00_ContentBody_lnkDH').text(linkText);
$('#ctl00_ContentBody_lnkDH').attr('title', linkText);
} catch (e) {
alert(e);
return false;
}
return false;
}
function buildCacheCoordMenu() {
var curLatLng = new LatLon(mapLatLng.lat, mapLatLng.lng)
$.template( "tmplCacheCoordinateUpdate_CoordItem", "<tr><td nowrap='nowrap'>${t}</td><td class='ccc-coord' nowrap='nowrap' dataum='${k}'>${v}</td></tr>" );
var $menu = $("<div></div>");
$( "#tmpl_CacheCoordinateUpdate" ).tmpl( {
ll: [mapLatLng.lat, mapLatLng.lng],
ll_formatted: mapLatLng.oldLatLngDisplay
} ).appendTo( $menu );
$menu.find("button.ccu-button").button();
$menu.delegate("button.ccu-parse", "click", function (e) {
e.preventDefault();
var $this = $(e.target),
$parse =$this.closest('dd').find(".cc-parse-text"),
parseCoords = $.trim($parse.val());
if (parseCoords.length == 0) {
alert('Please provide valid coordinates.');
} else {
$.getJSON("/challenges/location.search", { p: parseCoords }, function (response) {
if (response.status == "success") {
var newLatLng = new LatLon(response.data.lat, response.data.lng);
// update the displayed coords
var dist = curLatLng.rhumbDistanceTo(newLatLng);
var bearingTo = curLatLng.rhumbBearingTo(newLatLng);
var bearing = bearingTo >= 0 || bearingTo < 22.5 ? "N" : bearingTo >= 22.5 || bearingTo < 67.5 ? "NE" : bearingTo >= 67.5 || bearingTo < 112.5 ? "E" : bearingTo >= 112.5 || bearingTo < 157.5 ? "SE" : bearingTo >= 157.5 || bearingTo < 202.5 ? "S" : bearingTo >= 202.5 || bearingTo < 247.5 ? "SW" : bearingTo >= 247.5 || bearingTo < 292.5 ? "W" : bearingTo >= 292.5 || bearingTo < 337.5 ? "NW" : "N";
var formats = response.data.formats;
// all these finds, make me feel dirty
$menu
.find("span.ccu-parseverify-coords").text(formats.DM).end()
.find("dl.ccu-parse").hide().end()
.find("dl.ccu-parseverify").show().end()
.find("button.ccu-parseverify-accept")
.data("utm", formats.UTM)
.data("dm", formats.DM)
.data("lat", response.data.lat)
.data("lng", response.data.lng)
.end();
} else {
alert("Sorry unable to parse the coordinates you entered.");
}
});
}
return false;
});
$menu.delegate("button.ccu-parseverify-accept", "click", function (e) {
e.preventDefault();
var $this = $(this);
// update to webmethod
$.pageMethod("SetUserCoordinate", JSON.stringify({ dto: { data: {lat: $this.data("lat"), lng: $this.data("lng") }, ut: userToken } }), function (r) {
var r = JSON.parse(r.d);
if (r.status == "success") {
window.location.reload();
} else {
$("#uxLatLonLink").qtip('hide');
}
});
return false;
});
$menu.delegate("button.ccu-parseverify-cancel", "click", function (e) {
e.preventDefault();
$menu
.find("input.cc-parse-text").val('').end()
.find("dl.ccu-parse").show().end()
.find("dl.ccu-parseverify").hide().end();
return false;
});
$menu.delegate("a.ccu-restore", "click", function (e) {
e.preventDefault();
$.pageMethod("ResetUserCoordinate", JSON.stringify({ dto: { ut: userToken } }), function (r) {
var r = JSON.parse(r.d);
if (r.status == "success") {
window.location.reload();
}
});
return false;
});
return $menu;
}
GSPK = window.GSPK || {};
GSPK.Selector = {};
GSPK.Selector.getSelected = function(){
var t = null;
if ( window.getSelection ){
t = window.getSelection();
}else if(document.getSelection){
t = document.getSelection();
}else if(document.selection){
t = document.selection.createRange().text;
}
return t;
}
try { _gaq.push(['_trackEvent', 'Geocaching', 'CacheDetailsMemberType', 'Premium', null, true]); } catch(err) { }
</script>
</div>
</div>
</section>
<footer>
<div class="container">
<div class="span-24 last FooterTop">
<div class="LocaleText">
<strong>Choose Your Language:</strong>
</div>
<div class="LocaleList">
<div id="selected_language">
<a href="#">English▼</a>
</div>
<ul id="locale_list">
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl00_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl00$uxLocaleItem','')">English</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl01_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl01$uxLocaleItem','')">Deutsch</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl02_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl02$uxLocaleItem','')">Français</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl03_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl03$uxLocaleItem','')">Português</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl04_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl04$uxLocaleItem','')">Čeština</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl05_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl05$uxLocaleItem','')">Svenska</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl06_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl06$uxLocaleItem','')">Español</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl07_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl07$uxLocaleItem','')">Italiano</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl08_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl08$uxLocaleItem','')">Nederlands</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl09_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl09$uxLocaleItem','')">Català</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl10_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl10$uxLocaleItem','')">Polski</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl11_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl11$uxLocaleItem','')">Eesti</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl12_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl12$uxLocaleItem','')">Norsk, Bokmål</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl13_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl13$uxLocaleItem','')">한국어</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl14_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl14$uxLocaleItem','')">Magyar</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl15_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl15$uxLocaleItem','')">Română</a></li>
</ul>
</div>
<script type="text/javascript">
jQuery(document).ready(function() {
jQuery("#selected_language a").click(function (e) {
e.preventDefault();
jQuery("#locale_list").show().position({
of: $("#selected_language"),
my: "left top",
at: "left bottom",
offset: "0 3",
collision: "fit fit"
});
jQuery(document).click(function () {
jQuery("#locale_list").fadeOut("fast");
});
return false;
});
});
</script>
</div>
<div class="span-4">
<p class="FooterHeader">
<strong>
About</strong></p>
<ul class="FooterLinks">
<li>
<a id="ctl00_hlFooterGlossary" title="Glossary of Terms" href="../about/glossary.aspx">Glossary of Terms</a></li>
<li>
<a id="ctl00_hlFooterBrochures" title="Brochures" href="../tools/#Guide">Brochures</a></li>
<li>
<a id="ctl00_hlFooterAbout" title="About Groundspeak" href="../about/groundspeak.aspx">About Groundspeak</a></li>
<li>
<a id="ctl00_hlFooterVolunteers" title="About Our Volunteers" href="../volunteers/">About Our Volunteers</a></li>
<li>
<a id="ctl00_hlFooterHistory" title="History" href="../about/history.aspx">History</a></li>
</ul>
</div>
<div class="span-4">
<p class="FooterHeader">
<strong>
Press</strong></p>
<ul class="FooterLinks">
<li>
<a id="ctl00_hlFooterNews" title="News Articles" href="../press/">News Articles</a></li>
<li>
<a id="ctl00_hlFooterMediaFAQs" title="Media FAQs" rel="document" href="../articles/Brochures/footer/FAQ_Media.pdf">Media FAQs</a></li>
<li>
<a id="ctl00_hlFooterMediaInquiries" title="Media Inquiries" rel="external" href="http://support.groundspeak.com/index.php?pg=request&xCategory=11">Media Inquiries</a></li>
</ul>
</div>
<div class="span-5">
<p class="FooterHeader">
<strong>
Questions & Suggestions</strong></p>
<ul class="FooterLinks">
<li>
<a id="ctl00_hlFooterHelpCenterLink" title="Help Center" rel="external" href="http://support.groundspeak.com/index.php">Help Center</a></li>
<li>
<a id="ctl00_hlFooterDiscussionForums" accesskey="f" title="Discussion Forums" href="../forums/">Discussion Forums</a></li>
<li>
<a id="ctl00_hlFooterParksPoliceLink" title="Land Management and Law Enforcement" href="../parksandpolice/">Land Management and Law Enforcement</a></li>
<li>
<a id="ctl00_hlFooterContactUs" title="Contact Us" href="../contact/">Contact Us</a></li>
</ul>
</div>
<div class="span-4">
<p class="FooterHeader">
<strong>
Resources</strong></p>
<ul class="FooterLinks">
<li>
<a id="ctl00_hlFooterTools" accesskey="o" title="Tools and Downloads" href="../tools/">Tools and Downloads</a></li>
<li>
<a id="ctl00_hlFooterAPIProgram" title="API Program" href="../live/">API Program</a></li>
<li>
<a id="ctl00_hlFooterBenchmarks" title="Find a Benchmark" href="../mark/">Find a Benchmark</a></li>
</ul>
</div>
<div class="span-4 append-3 last">
<p class="FooterHeader">
<strong>
Follow Us</strong></p>
<ul class="FooterLinks FollowUsLinks">
<li><a id="ctl00_hlFacebook" title="Facebook" href="http://www.facebook.com/pages/Geocachingcom/45625464679?ref=ts"><img id="ctl00_imgFacebook" title="Facebook" src="../images/home/icon_facebook.png" alt="Facebook" style="border-width:0px;" /></a></li>
<li><a id="ctl00_hlTwitter" title="Twitter" href="http://twitter.com/GoGeocaching"><img id="ctl00_imgTwitter" title="Twitter" src="../images/twitter/twitter_icon_white_22.png" alt="Twitter" style="border-width:0px;" /></a></li>
<li><a id="ctl00_hlFlickr" title=" Flickr" href="http://www.flickr.com/photos/geocaching_com/"><img id="ctl00_imgFlickr" title="Flickr" src="../images/home/icon_flickr.png" alt="Flickr" style="border-width:0px;" /></a></li>
<li><a id="ctl00_hlYouTube" title="YouTube" href="http://www.youtube.com/user/GoGeocaching"><img id="ctl00_imgYouTube" title="YouTube" src="../images/home/icon_youtube.png" alt="YouTube" style="border-width:0px;" /></a></li>
</ul>
</div>
<p class="span-24 last FooterBottom">
Copyright
© 2000-2012
<a href="http://www.groundspeak.com/" title="Groundspeak, Inc." accesskey="g">Groundspeak, Inc.</a>
All Rights Reserved.<br />
<a id="ctl00_hlFooterTerms" accesskey="u" title="Groundspeak Terms of Use" href="../about/termsofuse.aspx">Groundspeak Terms of Use</a>
|
<a id="ctl00_hlFooterPrivacy" accesskey="x" title="Privacy Policy" href="../about/privacypolicy.aspx">Privacy Policy</a>
|
<a id="ctl00_hlFooterLogo" accesskey="l" title="Geocaching Logo Usage Guidelines" href="../about/logousage.aspx">Geocaching Logo Usage Guidelines</a>
|
<a id="ctl00_hlFooterAPI" accesskey="`" title="API License Agreement" href="../live/api_license_agreement.aspx">API License Agreement</a>
|
<a id="ctl00_HlFooterStatus" accesskey="`" title="Current Service Status" href="http://status.geocaching.com">Service Status</a></p>
</div>
</footer>
<div class="SkipLinks">
<a id="ctl00_hlSkipLinksTop" accesskey="t" title="Return to the Top of the Page" href="#Top">Return to the Top of the Page</a>
</div>
<script type="text/javascript">
//<![CDATA[
var uvtoken = 'DbFDfIrSTaXyfNf74lbdopy%2bTw%2fC84Gn87pU%2b3r69toc4lYTKyii0cXY42BXT7amAeAEUCcV1MyzYH%2f69bWOOAMh%2b%2fXZDy5evfaVNXnGxAl30YXn1wFH2CYMuuHRIKnlIpNm0oF2TJjRR%2bezF6ABvpwfUG8JcX1AHPAqSzswHtAxthB9Owjp2uq%2ftuZSVM8zX91kzlgdie55liHhL%2faUuEbs1kZ3FwSxyO6Wac4un%2ftAqOgkOWz1BFyA4uPo8vGVNNFr60bWV76a8GXPNJL8MgLWRv3R0394HVGjIHy4qTichd2XeEcrVP1NXQMwExIRZrS3ZHqsotozBpDkw7UULuPxVgg4yTbNGMMM%2bPdsPXDoGrOKR%2bTJ0dWCa%2bb6tfZ8lZ6IjL6EShcq5FbJXDd4NO6nwxx1fbocwubd2LiFa5s%3d';var isLoggedIn = true;
var userDefinedCoords = {"status":"success","data":{"isUserDefined":false,"oldLatLngDisplay":"N 52° 22.335' E 009° 44.122'"}};
mapLatLng = {"lat":52.37225,"lng":9.73537,"type":8,"name":"Auf den Spuren des Indianer Jones Teil 1"};
var ccConversions = [{"t":"Decimal","k":"DD","d":"WGS84","v":"52.372250, 009.735367"},{"t":"DDD MM SS.SSS","k":"DMS","d":"WGS84","v":"N 52° 22' 20.100\" E 009° 44' 07.321\""},{"t":"UTM","k":"UTM","d":"WGS84","v":"32U E 550063 N 5802696"}];
userInfo = {ID: 1912314};
userToken = 'FOUTFKOKLELXOJAYT35WSZBNGADBNKFSYIMKJ2YI6247JORDCSRPR3LYUNKEOR2PQUOHC7OGY223V2X2ADNEDT25JD2QHOXIHYLH7J5XLOWJSK5WTLLQ5UJQMIZEGXYFSHPFRQQ5A374RP7GSKIVLW2RCI53UZFIABL6BZONCN4XB6QIBKAEXW2B3SU6EYDNCNSS4QUTB5T2F4FTITLZMGY2QI2Z6XAJHFNU224QMGX26VDNLJFA';
includeAvatars = true;
initalLogs = {"status":"success", "data": [{"LogID":269970920,"CacheID":1997597,"LogGuid":"deae18a7-b101-486e-ad07-8026343d765d","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Endlich geschafft...Hat lange gedauert und war jede Minute Einsatz wert.<br />Vielen Dank für die Herausforderung...<br />DFDC und Fav. Punkt","Created":"30/09/2012","Visited":"26/09/2012","UserName":"leonberger307","MembershipLevel":3,"AccountID":1179496,"AccountGuid":"d017e12b-83b3-4ec9-bd05-54cbb0d9c150","Email":"","AvatarImage":"112aa46e-fe0a-464c-990e-6bff1c61bda7.jpg","GeocacheFindCount":2396,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":256692614,"CacheID":1997597,"LogGuid":"0b464bea-2c26-4f71-a750-4503a55e901f","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Was soll ich nur schreiben, was noch nicht geschrieben wurde?<br />Obwohl ich ja schon einige von Indi gemacht habe, wird man jedesmal wieder positiv überrascht.<br />Da ich nicht oft nach Hannover komme, musst ich diesen mysteriösen Multi stückeln um zum gewünschten Erfolg zu kommen. <br />Vielen Dank für diese tolle Tour, die natürlich (wie schon so oft bei den Indi-Dosen) eine blaue Schleife bekommt.<br /><br />Schöne Grüße,<br />Majoti","Created":"11/08/2012","Visited":"11/08/2012","UserName":"Majoti","MembershipLevel":3,"AccountID":3432542,"AccountGuid":"1ec93712-382c-4859-aa64-1eca126b5914","Email":"","AvatarImage":"22a4b94a-a38b-4db1-8ac3-0582a6281759.jpg","GeocacheFindCount":1585,"GeocacheHideCount":15,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":255282680,"CacheID":1997597,"LogGuid":"f7cb6941-dcea-4c31-ba43-f3d9d3cf3862","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Irgendwie fehlte immer die Zeit mit dieser tollen Serie endlich einmal anzufangen.<br />Dies wurde dann in den letzten Tagen in kleinen Mittagspausenetappen peu a peu nachgeholt.<br /><br />Schnell waren wir gefangen von den tollen Rätseln, die - ohne viel übertriebenem Pomp - die Stimmung der Filme gut eingefangen haben.<br /><br />Wie bei guten Filmen schwang dann heute mit dem Fund des Finals auch ein wenig Wehmut - wie schon vorbei? - mit.<br />Glücklicherweise haben wir ja noch 3 Teile dieser tollen Serie vor uns, auf die wir uns freuen können <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /><br />Die Wurms bedanken sich für diesen tollen ersten Teil und steigen ein in die Planung von Bonus, Teil 2 und Megabonus","Created":"06/08/2012","Visited":"06/08/2012","UserName":"Wurms","MembershipLevel":3,"AccountID":1807277,"AccountGuid":"77ee9fa9-15ae-49f6-9fea-1a9617fd69e2","Email":"","AvatarImage":"4dcfbc24-ff19-439d-bc08-78eea619a9ad.jpg","GeocacheFindCount":1112,"GeocacheHideCount":3,"ChallengesCompleted":3,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":248418841,"CacheID":1997597,"LogGuid":"fa0a5d50-393b-42cf-be22-04e92fcc406c","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Geschafft! Aus Zeitgründen in mehreren Etappen die Angaben für den Bonus erarbeitet (auch dieser wird wieder eine separate Etappe). SEHR schöne Rätsel, wie von Indy nicht anders erwartet.<br />Freuen uns schon auf den Bonus und vor allem auf Teil 2!<br /><br />TFTC!<br /><br />Und natürlich gibt es hier einen FAV-Punkt!","Created":"12/07/2012","Visited":"11/07/2012","UserName":"Bergwerksdirektor","MembershipLevel":3,"AccountID":1953807,"AccountGuid":"a48e7098-1972-4401-8dda-92e242fda777","Email":"","AvatarImage":"2f8cb388-7ef0-4b76-8e4b-2de047e69d8e.jpg","GeocacheFindCount":2506,"GeocacheHideCount":11,"ChallengesCompleted":1,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":248535464,"CacheID":1997597,"LogGuid":"73524950-f7ab-4f42-9152-7867210357ca","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Puh, das war eine harte Nuss. Es bedurfte mehrerer Anläufe und der tatkräftigen Hilfe eines größeren Herrns, bis wir endlich vor dem Final standen. Tolle Locations, knackige Rätsel, abwechslungsreiche Stationen,so macht Geocaching richtig Spaß. Und das Beste: Mit diesem Fund ist unsere Matrix voll. Ich freue mich schon auf Teil 2.<br />Danke für für diesen Supercache, das ist einen FP wert.","Created":"12/07/2012","Visited":"08/07/2012","UserName":"I Carbonari","MembershipLevel":3,"AccountID":2941642,"AccountGuid":"3b9ac9a6-3d82-48aa-ab00-caf78d1de23a","Email":"","AvatarImage":"","GeocacheFindCount":1300,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":247532751,"CacheID":1997597,"LogGuid":"57ea561d-40ad-4dee-bfe7-a2cef652ebc6","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Mit den ausgezeichnet ausgewählten Stationen und den zugehörigen tollen Rätseln konnte ich sehr gut in die Rolle des Indiana Jones schlüpfen. Das war eine klasse Runde!<br /><br />An der schönen Finallokation zelebrierten die manchmal hier anzutreffenden Bacchus-Muggel aufgrund des vorangegangen Regens wahrscheinlich anderorts, so dass sich das Final relativ ungestört finden lies.<br /><br />DfdC, der von mir einen FP bekommt.","Created":"08/07/2012","Visited":"08/07/2012","UserName":"CaptnSharky","MembershipLevel":3,"AccountID":3673438,"AccountGuid":"357368ce-02f6-4419-8ba7-279afe889345","Email":"","AvatarImage":"f33d597e-c33f-4d29-bca6-9d49b4a3e09b.jpg","GeocacheFindCount":659,"GeocacheHideCount":1,"ChallengesCompleted":2,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":245388909,"CacheID":1997597,"LogGuid":"b8a06f0a-05e6-4dea-ab27-53a5f0026e51","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Vor einem halben Jahr hatte ich endlich die richtige Idee wo die Schattenlinie zu finden ist. Aber wieso steht in den Attributen das Kletterausrüstung benötigt wird ? Sicherheitshalber noch mal den Owner kontaktiert, Entwarnung ! Passenderweise bin ich den Tag drauf in der Nähe des Starts, wo ich schon zwei Wochen zuvor nichtsahnend gewesen bin...<br /><br />Der Start: Es ist dunkel. Es ist ein LP mitten in der City !. Niemand da. Das was ich suche, finde ich nicht. Dafür etwas anderes Brauchbares. Also auf gut Glück versucht. Und siehe da: Erfolg ! Aber was ist das: wo zeigen die KOs hin ? Doch klettern ? Kurz die Gegend abgecheckt, Spoiler rausgekramt... Erneut Entwarnung. Kleinen Umweg für den nächsten Tag eingeplant.<br /><br />ZS1: Ich bin ganz allein auf dem großen Gelände. Da es schon dunkel wird kommt richtig Grusel-Stimmung auf. Die ZS kann ich schnell finden. Zum Enträtseln vor Ort ist es mir aber zu kalt.<br /><br />ZS2: Die Location kann zügig ermittelt werden. Da ich nur sehr selten in dieser Gegend bin übernimmt ein befreundeter Cacher die \"Besorgung\".<br /><br />Finale: Zusammen mit JoSaMaJa suche ich erneut das Finale auf nach dem ich unter der Woche keinen Erfolg hatte (starker Regen & nichtseßhafte Person direkt vor Ort). Heute haben wir bei diesem LP Erfolg !<br /><br />Fazit: Großes Kino - ein Cache der bei mir das richtige Indianer Jones Feeling aufkommen ließ. Tolle LPs in der Stadt, Archäologen-Tätigkeiten, was will man mehr !","Created":"30/06/2012","Visited":"30/06/2012","UserName":"blafoo","MembershipLevel":3,"AccountID":1912314,"AccountGuid":"0564a940-8311-40ee-8e76-7e91b2cf6284","Email":"","AvatarImage":"50f83123-27d8-4dcf-9fde-2af006efaf2b.jpg","GeocacheFindCount":692,"GeocacheHideCount":8,"ChallengesCompleted":3,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":245426156,"CacheID":1997597,"LogGuid":"07775c35-04d0-4aeb-a356-7cd98eb458c2","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Ohne Blafoo hätte ich den nie geschafft. Durch Zufall und mit viel Hilfe konnte ich dann auch hier zugreifen. Vielen Dank an den Owner vom Nachbarort!","Created":"30/06/2012","Visited":"29/06/2012","UserName":"JoSaMaJa","MembershipLevel":3,"AccountID":4793174,"AccountGuid":"4d416461-d1a7-4cc5-8ee7-336bb910feb8","Email":"","AvatarImage":"e8a97a05-a051-4da9-bc93-6a830b866aff.jpg","GeocacheFindCount":328,"GeocacheHideCount":4,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":241251492,"CacheID":1997597,"LogGuid":"87247535-a79a-468e-985e-5d99abd07729","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"<img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> Nr. 2.000 <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /><br />Schon vor einiger Zeit haben wir überlegt, was wohl ein würdiger Cache für unser Jubiläum sein könnte. Schnell einigten wir uns darauf, dafür den Spuren des Indianer Jones zu folgen.<br />Also den Schlapphut aufgesetzt und die Peitsche aus der SM-Schublade geschnappt und los ging's! Von Station zu Station hangelten wir uns Prof-Jones-like vorwärts und wurden heute mit dem Fund der Dose punktgenau nach dem 1999. gestern belohnt! <br />Die Wahl war die richtige: Ein ganz toller Cache, der uns sehr viel Spaß gemacht hat und an den wir uns jetzt immer, wenn wir unsere Statistik ansehen, erinnern können. Natürlich gibt's dafür einen Favoritenpunkt von uns. Dann noch ein herzliches Dankeschön und viele Grüße an Indi, den Merlyn und Reflektordetektor!<br /><br />P.S. Wir freuen uns schon auf Teil 2. Hoffen aber, dass wir ihn vor dem 3000. finden werden!<br />P.P.S. Vielen Dank an die Baumfee und den Schnatzfänger für die Begleitung, die Glückwünsche und das Erinnerungsfoto!","Created":"10/06/2012","Visited":"10/06/2012","UserName":"4Engel","MembershipLevel":3,"AccountID":2473723,"AccountGuid":"e5356bcb-f3b4-4b90-89a7-e01fb70d5ebb","Email":"","AvatarImage":"1eafbd7c-d6e2-4f57-86bf-05f316ec9026.jpg","GeocacheFindCount":2267,"GeocacheHideCount":20,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":241063085,"CacheID":1997597,"LogGuid":"0b32b7a8-2a91-465a-8917-00f15371cbc7","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"# 1691 - als uns die 4Engel vor einigen Tagen ansprachen, ob wir gemeinsam diesen Indiana Jones Cache angehen wollen, war ich sofort \"Feuer und Flamme\". Schließlich hat man diese Filme schon mehrfach im Kino bzw. im Fernsehen mit Begeisterung angeschaut.<br />In mehreren Etappen haben wir uns dem Final genähert. Bei der Sucherei und Recherche konnte man<br />gut in die Rolle des Dr. Jones schlüpfen. Besonders gut gefallen hat mir dabei die Station 1.<br />Für diesen etwas anderen Cache bedanke ich mich beim Owner und natürlich bei dem Team - Schnatzfänger<br /><br />Werden weitere Abenteuer folgen??? Auf jeden Fall erst einmal einen Fav.-Punkt.<br />Die 4Engel hatten heute ein weiteren Grund zum Feiern - dieser besondere Cache war die Nr. 2000","Created":"10/06/2012","Visited":"10/06/2012","UserName":"Schnatzfänger","MembershipLevel":3,"AccountID":3963266,"AccountGuid":"deef3a33-242e-44a3-9520-30105d838d7b","Email":"","AvatarImage":"bc17b3a6-29ee-427d-b819-755b1e6986e3.jpg","GeocacheFindCount":2131,"GeocacheHideCount":3,"ChallengesCompleted":3,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[{"ImageID":14387354,"ImageGuid":"7f0e3db3-8969-4c35-a14d-f0af69f0b652","Name":"die glücklichen 4Engel","Descr":"Glückwunsch zum 2000. Cache am 10.06.2012","FileName":"7f0e3db3-8969-4c35-a14d-f0af69f0b652.jpg","Created":"10/06/2012","LogID":241063085,"CacheID":1997597,"ImageUrl":null}]},{"LogID":240175314,"CacheID":1997597,"LogGuid":"5021a2d1-63be-4e67-ab1b-4c45ecf2e3eb","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Das ist doch mal ein schönes Beispiel eines urbanen Caches, der intelligent gemacht ist. <br /><br />Schöne Tour, die viel Spass gemacht hat. Leider ist das Gebiet rund ums Final ziemlich verdreckt und teilweise echt mit Vorsicht zu geniessen. Trotzdem: Fav-Punkt von mir...<br /><br />Gruß<br />Alex","Created":"07/06/2012","Visited":"07/06/2012","UserName":"GrafEssinghausen","MembershipLevel":3,"AccountID":1724814,"AccountGuid":"637708df-0b93-4ff8-a20b-48ed5d1ab2eb","Email":"","AvatarImage":"691d0302-1e78-4fa5-9570-1b5aaf899f5c.jpg","GeocacheFindCount":762,"GeocacheHideCount":11,"ChallengesCompleted":3,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":239040984,"CacheID":1997597,"LogGuid":"a2f40089-7656-4a37-82c7-a6157730d5cb","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Ja, der ist mal richtig geil... Diesen hier zu machen hat uns so viel Spaß gebracht, dass wir uns erstmal ganz lieb beim Owner bedanken möchten.<br /><br />Alles top ausgearbeitet, logische Rätsel etc. nur am Start taten wir uns etwas schwer, weil wir hier viel zu kompliziert gedacht haben.<br />Aber dann machte sich ein grinsen in unseren Gesichtern breit <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> und wir summten die Indi Melody.<br /><br />Freuen uns schon riesig, wie die Serie weiter geht, einziges Problem ist nur das wir keine T5 Ausrüstung besitzen... schluchz... aber vielleicht lernen wir ja noch das Fliegen. <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /><br />Der bekommt natürlich auch einen FAVpoint.<br /><br />Danke für diesen schönen Cache !!!<br /><br />Haben keinen TB gesichtet und Zettel zum mitnehmen sind keine mehr da (haben den letzten drin gelassen).","Created":"02/06/2012","Visited":"02/06/2012","UserName":"dghobbit","MembershipLevel":3,"AccountID":4213957,"AccountGuid":"41d21c3a-5131-475d-aa27-e60b24fb5049","Email":"","AvatarImage":"f6341881-f5ca-4a2c-9af3-c6402a8aa27e.jpg","GeocacheFindCount":717,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":238434288,"CacheID":1997597,"LogGuid":"29d3f400-9e8f-44e3-b6bf-0671ef3583f0","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Uahhhuahhh!! Krass!!! <img src=\"/images/icons/icon_smile_cool.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_approve.gif\" border=\"0\" align=\"middle\" /><br /><br />WOW!! Keine Ahnung.... eigentlich kann ich hier nix schreiben... jedenfalls nichts Vernünftiges. Es ist schon ziemlich fett.<br /><br />Mit Indianer Jones 2 fing es eigentlich bei uns an, gefolgt von einigen Pigmentoseschwaden und danach war es für mich erledigt! DAS WILL ICH JETZT AUCH!!<br /><br />Aber, ... <img src=\"/images/icons/icon_smile_question.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_question.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_question.gif\" border=\"0\" align=\"middle\" /> ... okay..... vielleicht doch nicht ... DOCH!!!! <br /><br />Also blieb nichts, als Gehirnschmalz zu mischen und irgendwie, weiss nicht... einfach mal los!<br /><br />Raus aus der Sicherheit des Heimatdorfes und hinein in das Ungewisse. <img src=\"/images/icons/icon_smile_question.gif\" border=\"0\" align=\"middle\" /> Jaaaa.... da wurden mir schon einige Steine in den Weg gelegt, die den Weg zum Ziel schon sehr verlängerten..... <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <br /><br />Aber einmal festgebissen ist festgebissen.<br /><br /><br />COOL , COOL, COOL!!! FP ist klar!<br /><br />Danke für dieses Riesenabenteuer sagt Aufm","Created":"30/05/2012","Visited":"30/05/2012","UserName":"Aufm","MembershipLevel":3,"AccountID":4579634,"AccountGuid":"82f457a9-b981-47e9-a9d4-bae00100dd52","Email":"","AvatarImage":"352ea3ae-0f0b-40dd-9885-ee187bb1ad18.jpg","GeocacheFindCount":954,"GeocacheHideCount":14,"ChallengesCompleted":2,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":236934812,"CacheID":1997597,"LogGuid":"a1a214fa-6e56-429d-808a-59fae88a4f12","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"<b>WOW!!!</b><br /><br />Der hier hat richtig Spaß gemacht!!! Der Name des Caches verspricht nicht zu viel und auch als zugereister Hannoveraner mit mehreren Jahren Stadtkenntnis durfte ich noch einige neue interessante Orte kennen lernen. Aber von Vorne:<br /><br />Bereits am Tage der Veröffentlichung hatte ich den Cache auf meine Watchlist gesetzt. Das Listing versprach viel Spaß und Spannung, nur keine Schokolade (was ich aber billigend in Kauf nehmen wollte!). Da ich seit geraumer Zeit nicht mehr in der Stadt sondern im Umfeld Hannovers wohne, hat sich immer kein richtiger Anlass ergeben, diesen Cache mal anzugehen. Anfang April sollte es dann endlich so weit sein: Insgesamt vier Wochen, jeweils im Abstand von mehreren Wochen, Seminar stand an. Und so ergaben sich dann nach anstrengenden Tag die gerechten Möglichkeiten zum entspannten Ausgleich!<br /><br />Also ging es dann Anfang April an den Start, den ich natürlich bereits lange vorher ausfindig gemacht hatte. Dummerweise hatte ich seit dem Erscheinen des Caches das Listing nicht mehr durchgelesen, wodurch ich unverrichteter Dinge wieder verschwinden musste, da ich logischerweise auch nicht das Hilfsmittel dabei hatte... <br /><br />Zwei Tage später ging es dann aber noch einmal mit der richtigen Ausrüstung hierher und es blitzte das erste Mal die Qualität und der Ideenreichtum dieses Caches auf. Die Folgekoordinaten waren schnell ermittelt. Da ich mich bereits auf dem Weg zu einer Verabredung war, beschloss ich am kommenden Tag, die nächste Station nach dem Seminar anzugehen.<br /><br />Gesagt getan! Doch leider machten mir \"bestimmte Randbedingungen\" einen Strich durch meine Rechnung, so dass ich unverrichteter Dinge wieder verschwinden musste. Da der Seminar-Samstag nicht so lang war wie die anderen Tage, konnte ich am Ende der ersten Seminarwoche dann hier auch endlich fündig werden. Wie am Start auch, war ich vom gewählten Ort fasziniert und genoss nach dem Finden noch ein wenig die tolle Atmosphäre des Ortes, von dessen Existenz ich zwar wusste, aber nie geahnt hätte, welche Schönheit und Faszination sich dahinter verbirgt.<br /><br />Der nächste Anlauf auf diesen Cache sollte dann in der nächsten Seminarwoche - Anfang Mai - vollzogen werden.<br /><br />Wieder mit einem schönen und dem Cachenamen angemessenen Rätsel ging es dann an einen öffentlichen Ort, an dem ich in Indi-Manier die nächsten Puzzleteile zusammensetzte. Grandios!<br /><br />Am Ende der zweiten Seminarwoche sollte es dann an den ermittelten Zielkoordinaten weiter gehen. Dort musste ich zwar ein wenig suchen, doch als ich dann fündig wurde, vereitelte mir eine Hochzeitsgesellschaft den Zugriff. Außerdem ist der gewählte Ort nicht besonders dazu geeignet, ohne Stealth-Modus nach der Dose zu suchen. So beschloss ich, mir meine Ideen für diese Station per Mail bestätigen zu lassen und dann - nicht nur um die Stimmung dieses Ortes zu steigern - bei Dunkelheit wieder zu kommen. <br /><br />Die Antwort auf meine Petition ließ nicht lange auf sich warten (nochmals herzlichen Dank dafür!) und so ging es dann gestern Abend wieder an den Ort des Geschehens. Entsetzt musste ich feststellen, dass ein Muggelpaar die nahestehende Parkbank besetzt hatte. Da ich aber nicht noch einen weiteren Anlauf nehmen wollte und die Möglichkeit der ungesehenen Annäherung bestand, konnte ich doch letztendlich gut zugreifen und musste ... \"Öh?!? Das ist ja das Final!\"... schon fast ein wenig enttäuscht feststellen, dass dieser ausgezeichnete Cache für mich beendet war.<br /><br />Wirklich ein kleiner Leckerbissen in der Cacheszene Hannover! Wer den noch nicht hat (und wie ich an den Logs sehe: Das sind viele!): MACHEN!<br /><br />Vielen Dank für diesen schönen Cache, für den ich gerne 4.5 Sterne bei <a href=\"http://www.gcvote.com\" target=\"_blank\" rel=\"nofollow\">GCVote</a> (einen halben Stern Abzug gibt es, weil einige Stationen doch etwas grenzwertig liegen) und einen Fav-Point gebe, sagt<br /><br />DJ_JAS (#1.045)<br /><br />in: Schleifchen!<br />out: Ganz viel Spaß und Spannung!","Created":"25/05/2012","Visited":"25/05/2012","UserName":"dj_jas","MembershipLevel":3,"AccountID":1708158,"AccountGuid":"a6a5c07c-3fc0-4237-a71d-6588cb2c5940","Email":"","AvatarImage":"19b59a16-c74e-4a73-bc8a-569885d80fff.jpg","GeocacheFindCount":1112,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":228379603,"CacheID":1997597,"LogGuid":"c7d5b309-1c52-4d53-8d86-25884fecee7d","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Nachdem ich mich letzte Woche bei einem wunderschönen NC mit Rei von den Reimeyers über diese schöne Serie unterhalten habe, hat es auch nicht lange gedauert und ich bekam eine Email von den Reimeyers, mit einer Idee, wo sich der Start dieses schönen Caches befinden könnte und es wurde auch schon ein möglicher Termin ins Auge gefasst, diesen Gedankengängen mal nachzugehen. Heute war dann der Tag und siehe da, Reimeyers hatten ins Goldene getroffen <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" />.<br />Und von da ab lief es wie am Schnürchen, Puzzleteil für Puzzleteil fügte sich aneinander und das Bild erschien immer deutlicher. HAMMER, es war ein reiner Genuss den Gedankengängen des Owners auf die Spur zu kommen. Besonders die Station zwei war für mich ein absolutes Highlight.<br />Und so konnten wir uns nach einigen Stunden perfekter Teamarbeit mit einem fetten Grinsen im Logbuch verewigen.<br />Auch bei diesem Cache kann ich nur den Hut ziehen und sagen: perfekte Arbeit, so wie ich das vom Owner kenne und er hat von mir auf jeden Fall ein Fav. verdient.<br />Ich freue mich schon auf den Bonus.<br />Herzlichen Dank und Gruß vom Rattenmann <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" />","Created":"22/04/2012","Visited":"21/04/2012","UserName":"Rattenmann","MembershipLevel":3,"AccountID":4316747,"AccountGuid":"372fe2f7-553e-456f-838b-baa8e43111f4","Email":"","AvatarImage":"cd44c372-779a-45e2-a329-f69e467729c1.jpg","GeocacheFindCount":799,"GeocacheHideCount":6,"ChallengesCompleted":1,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":228157160,"CacheID":1997597,"LogGuid":"c9ee50f6-8431-4857-b5a2-f52f1d307325","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"sofort gewusst wo das final ist und muggelfrei geloggt.<br />DFDC<br /><br /><br /><br /><br /><img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /> <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /><br /><br /><br /><br /><br /><br />und nun mal scherz beiseite. als Herr Rei verkündete, glauben zu wissen wo der start ist war die freude erstmal groß. jetzt bloss noch eine passende gelegenheit finden und nichts wie hin. <br /><br />da man indianer jones ja nicht unterschätzen soll, noch tatkräftige unterstützung durch den Rattenmann erbeten. der ließ sich dann auch nicht lange bitten und schon an der ersten station war seine blendende vorarbeit gold wert (ok, dafür ging das frühstück drauf, aber was soll´s <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" />).<br /><br />im kleinen rudel wandelten wir dann weiter auf den spuren und nach und nach setzte sich das bild zusammen. um nicht zu spoilern, fassen wir uns jetzt mal kurz:<br /><br />die spuren waren gut getarnt, das wetter nicht ganz einladend, das kleine rudel toll und jeder sollte sich mal auf indi´s spuren begeben, es lohnt sich! <img src=\"/images/icons/icon_smile.gif\" border=\"0\" align=\"middle\" /> <br /><br />wir sagen danke und packen das auto für den bonus <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /><br /><br />viele grüße,<br />die Reimeyers<br /><br />ps.: FAV.PUNKT IN","Created":"21/04/2012","Visited":"21/04/2012","UserName":"Reimeyers","MembershipLevel":3,"AccountID":4808031,"AccountGuid":"b20a5415-05c2-4789-9ce7-6e9d106beb6f","Email":"","AvatarImage":"f9539da1-2c9e-4e49-81ae-57565521b81e.jpg","GeocacheFindCount":869,"GeocacheHideCount":4,"ChallengesCompleted":32,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":227521067,"CacheID":1997597,"LogGuid":"496f563e-04af-47cf-bb6a-43536f3e98ab","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Indiana Jones?!? Wer ist das? Zwar schon mal gehört, aber das war es auch! Aber auch ohne Kenntnisse ist dieses ? lösbar, es dauer nur länger, oder man hat jemanden der sich auskennt. So war es uns dann doch möglich die schönen Stationen zu besichtigen und auch als Hannoveraner unbekannte Stellen zu erkunden. Danke für die tollen Ideen, das ist einen FAV wert!","Created":"18/04/2012","Visited":"16/04/2012","UserName":"Kummer und Elend","MembershipLevel":3,"AccountID":3842885,"AccountGuid":"407157b8-7113-405b-a09a-bbb724d0564d","Email":"","AvatarImage":"03d750e5-4dd1-4e9a-a6f7-b1fb56acbfe5.jpg","GeocacheFindCount":968,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":227330805,"CacheID":1997597,"LogGuid":"f754fc8b-5a7a-498e-a297-3b0db4338f88","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Wer die Filme von Indiana Jones kennt weiss was ihn erwartet. Viel Abenteuer und ganz schwierige Rätsel. Ohne technische Hilfsmittel und Insiderwissen der Hannoveraner hätte ich das Final nie gefunden. Danke für den spannenden Cache, wenn du diesen machst brauchst du keinen Fernseher mehr. Favi obligatorisch.","Created":"16/04/2012","Visited":"16/04/2012","UserName":"Tialys","MembershipLevel":3,"AccountID":2091449,"AccountGuid":"4ed54215-9b99-4de0-b334-c27a99ee3149","Email":"","AvatarImage":"073b0c05-e36f-4cb0-9435-81b1ca80324c.jpg","GeocacheFindCount":1413,"GeocacheHideCount":7,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":227239669,"CacheID":1997597,"LogGuid":"650462d5-cedf-4f6c-95b7-605e91c4ef2b","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Hut ab!<br />Geniale Idee und klasse Umsetzung! Irre was es so zu entdecken gibt!<br /><br />TFTC<br />Witchy70","Created":"16/04/2012","Visited":"16/04/2012","UserName":"witchy70","MembershipLevel":3,"AccountID":1406174,"AccountGuid":"439a004f-25b4-4381-9edd-69f41fbde9cf","Email":"","AvatarImage":"e316a5e6-134a-4364-a311-aee2fbee3f8f.jpg","GeocacheFindCount":937,"GeocacheHideCount":2,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":226076070,"CacheID":1997597,"LogGuid":"161e24c9-4a29-4b64-8734-9ecc5ad32f45","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Der Hammer! Ich bin restlos begeistert und freue mich auf die nächsten Teile. Wirklich eine super Idee und tolle Locations \t<img src=\"/images/icons/icon_smile_cool.gif\" border=\"0\" align=\"middle\" />.<br />Alles andere haben meine drei Mitstreiter ja schon gesagt und ich schließe mich da voll und ganz an.<br /><br />Vielen Dank dafür!","Created":"13/04/2012","Visited":"11/04/2012","UserName":"moosrose0815","MembershipLevel":3,"AccountID":2169157,"AccountGuid":"af88d3d2-4d7a-40c7-926c-eff39aaff531","Email":"","AvatarImage":"f9f27159-8351-4f9a-a43b-dae2faab5a98.jpg","GeocacheFindCount":936,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":225983123,"CacheID":1997597,"LogGuid":"c1947936-ff3c-477d-802f-1e0ddc21df40","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Ich kann mich meiner Vorrednerin nur anschließen: Das war echt 'ne geile Nummer! <img src=\"/images/icons/icon_smile_cool.gif\" border=\"0\" align=\"middle\" /><br /><br />Besonders interessant fand ich, was man so quasi nebenbei über die unmittelbare Umgebung von ST1 und Final gelernt hat. Hundertmal dran vorbeigefahren und nie wirklich beachtet! <img src=\"/images/icons/icon_smile_blush.gif\" border=\"0\" align=\"middle\" /><br /><br />Über den Rest hat Holly ja ausführlich berichtet, daher bleibt mir nur Danke zu sagen für diese Exkursion in die Lokalhistorie und natürlich für die Dose! <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /><br /> In: Fav-Punkt<br />Out: Nix<br /><br />#934","Created":"12/04/2012","Visited":"11/04/2012","UserName":"Maxx Volume","MembershipLevel":3,"AccountID":1583481,"AccountGuid":"a1482ae1-352c-4ef4-98cd-fc979bf114e8","Email":"","AvatarImage":"e09b3bae-dc52-4dd7-80b4-2d70276aa043.jpg","GeocacheFindCount":1089,"GeocacheHideCount":0,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":225802294,"CacheID":1997597,"LogGuid":"5e301b26-a0ca-4165-87d3-8de3507a0e43","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Heiliger Mist....war das ein Erlebniss!<img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> Aber mal von vorne:<br /><br />Bereits letztes Jahr hatte uns Maxx Volume auf diesen Cache gestossen und auch den vermeintlichen Startpunkt hatte er schon verifiziert. Leider liessen Bauzäune keine weiteren Untersuchungen zu und so gelangte dieses Vorhaben leider erstmal in Vergessenheit.<br /><br />Vor 2 Wochen kam dann Solit spontan die Idee, doch mal einfach vorbei zu schauen wie es da heute aussieht und siehe da: Keine Zäune mehr :-)<br />Prima, dann konnte es ja endlich losgehen.<br /><br />Ostermontag dann mal das mistige Wetter zum urbanen Besuch genutzt und schwupps: Schlapphut auf und mit der richtigen Melodie gings auf die Spuren von Indianer Jones <img src=\"/images/icons/icon_smile_cool.gif\" border=\"0\" align=\"middle\" /><br />Die erste Station war ja schon irgendwie der Knaller und flux die Koordinaten eingetippt. Irritationen gab es dabei ausnahmsweise, aufgrund der Vorlogger, nicht. Was ein grandioses Zwischenziel!!<br />Zu meiner Schande muss ich gestehen, dass ich hier noch nie in meinen doch jetzt fast 40 Jahren war. Ich hab da defintiv was verpasst und sage hier schon mal Danke für`s herführen.<br /><br />Das führte auch dazu, dass wir uns hier bestimmt 2 Std aufgehalten hatten, obwohl wir die Botschaft in Form des nächsten Rätsels bereits in der Tasche hatten. Der Lösungsweg war zwar aufgrund des Hinweises schnell klar, aber vor Ort hatten wir da keine Chance, schon gar nicht an einem Feiertag. Na gut...Abbruch und dafür noch ein wenig die Lokation genossen <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /><br /><br />Aus dem Kopf habe ich es aber nicht bekommen. Am nächsten Tag auf der Arbeit dann ein wenig Internetrecherche, Telefon in die Hand und kackfrech mal unter einem unaufälligem Vorwand nachgeforscht. Fazit: Okay, nur der halbe Lösungsweg, aber die Erkenntis: Auch Beamte können durchaus freundlich und hilfbereit sein, auch wenn man mit einer noch so dämlichen Begründung kommt, warum man jene oder welche Information braucht <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br />Netterweise habe ich aber die benötigten Informationen dann doch per Mail bekommen und konnte mir einen kleinen Weg sparen. Also Rundmail an die Mitcacher und noch am selben Abend hatten wir des Rätsels Lösung :-)<br />Heute gings dann auf die entscheidene Expedition. Nachdem unser, durchaus mit blindem Vertrauen ausgestattteten, Kletteraffe das erste mal den Kopf schüttelte, kam auch noch eine interessierte Muggelfrau angetrabt, die uns begeistert empfangen hat, weil wir uns für diese tolle Örtlichkeit in Hannover interessieren.<img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /><br /> Gott sei Dank hatten wir aber alle ja schon den ganzen Tag das Internet durchforstet, weil dieser schöne Ort eine Menge Interesse geweckt hatte. So konnten wir völlig überzeugend behaupten, dass wir uns hier alleine für die Historie an diesem Ort interessieren. Wir alle glänzten wohl so mit Wissen über diesen leider schon fast vergessenen Ort, dass sie befriedigt wieder abdampfte, natürlich nicht ohne uns noch für die nächste Veranstalltung hier einzuladen <img src=\"/images/icons/icon_smile_cool.gif\" border=\"0\" align=\"middle\" /><br /><br />Vorsichtshalber sind wir aber erstmal abgedampft, riskieren wollten wir dann doch lieber nix.<br /><br />Blöd, dass 30 Minuten später sich aber jemand auf der Bank in der Nähe niedergelassen hat...also wieder Abruch und unsere Vermutung lieber nochmal durch einen TJ bestätigen lassen.<br /><br />1 Std später dann der 3. Versuch und siehe da: Maxx hatte endlich den richtigen Griff und über das blinde Vertrauen zu Solit diskutieren wir dann nochmal <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> Das hätte schneller gehen können an dem Abend <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" /><br />Zielgebiet für den Bonus ist auch schon ausgemacht, hoffe wir kriegen das jetzt Zeitnah hin.<br /><br />Mein lieber Scholli! Ich habs ja nicht so mit dem urbanen, aber dieser Cache hat`s echt rausgehauen. Tolle Story und super schöne Lokations. Alles Stimmig, aber trotzdem gibts nur 4,5 * bei GCvote! Warum? Der war eindeutig zu kurz <img src=\"/images/icons/icon_smile_big.gif\" border=\"0\" align=\"middle\" /> Begeistert hat mich vorallendingen die Phantasie des Owners und die schönen Orte die er dabei zeigt.<br /><br />Ich freu mich auf den 2. Teil!!<br /><br />P.S.: Natürlich gibts nen Schleifchen <img src=\"/images/icons/icon_smile_wink.gif\" border=\"0\" align=\"middle\" />","Created":"11/04/2012","Visited":"11/04/2012","UserName":"Holly72","MembershipLevel":3,"AccountID":1629836,"AccountGuid":"ba5ae6a6-6772-43ef-94a0-2acbe791eab6","Email":"","AvatarImage":"ed678d94-8425-48f3-89d8-baa77e4a1792.jpg","GeocacheFindCount":1312,"GeocacheHideCount":2,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":225792839,"CacheID":1997597,"LogGuid":"39317443-7fc7-4694-9000-e483b451a976","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Schön vor längerer Zeit viel uns dieser Cache mit dem verheißungsvollen Listing auf. Beim ersten Versuch hielt uns noch der Bauzaun auf und da urbanes Cachen sonst nicht sonst unser ist, war erst einmal Pause. Trotzdem hielt mich der Cache weiter in seinem Bann und tief in meinem Gedächtnis wurde ich auf geheimnisvolle Weise immer wieder erinnert. <br />Am Osterwochenende war es dann soweit. Der Bauzaun ist weg, die erste Station wurde gefunden und auch die zweite konnte sich nicht lange verbergen. Leider war Ostermontag und das folgende Rätsel konnte erstmal nicht gelöst werden. Also abwarten bis Dienstag, die Fährte wurde durch die Rätselabteilung wieder aufgenommen und am heutigen Mittwoche folgte dann der finale Akt. <br />Zuerst war ich mit Blindheit geschlagen und konnte leider nichts finden. Als dann noch einige Muggels auftauchten kam der vorläufige Abbruch. <br />Etwas später am Abend und nach kurzer Rückversicherung durch einen geheimen Informanten dann der zweite und glücklichere Versuch. Ein Griff von Maxx Volume und der Schatz war unser.<br /><br />Vielen Dank für den schönen und stimmigen Cache. Ich freue mich schon jetzt auf die kommenden Aufgaben.<br /><br />Trade: out nix, in Coin und Fav P<br /><br />PS: Der TB befindet sich nicht mehr in der Dose","Created":"11/04/2012","Visited":"11/04/2012","UserName":"SoliT","MembershipLevel":3,"AccountID":1585608,"AccountGuid":"eaa49324-c13c-4731-bf47-2215d490ae36","Email":"","AvatarImage":"b869a475-59fe-46e2-ba08-993365f3fbea.jpg","GeocacheFindCount":1380,"GeocacheHideCount":6,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":218682490,"CacheID":1997597,"LogGuid":"c33663a4-35d1-4754-85c4-91217bbd6a6f","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Was soll ich sagen, einfach klasse! <br />Auf den Cache kam ich durch Erzählungen von MASET. Der Herr berichtete mir ausführlich von den Stationen und von allem anderen auch und auch von dem Bonus.<br />Total gespannt schnappte ich mir Jango192002 und die Tour ging los.<br />Am Start angekommen wurde versucht und versucht und keine Idee. Die Zeit verstrich. Bis dann die Idee von Jango kam. Guck mal hier hieß es und es ging dann zügig los.<br />Die nächste Station wurde schnell gefunden und auf zur nächsten Station.<br />Da saßen wir nun. Mit wirren Sachen auf dem Zettel und irgendwie nur was halbsinnvollem. Also Internet raus, Tante Google wusste Rat. Auf zur nächsten Station und suchen.<br />Die Sucherei dauerte doch länger als geplant, bis dann beim zweiten Mal gucken alles gesehen wurde.<br /><br />Der Cache war eine tolle Herausforderung und hat richtig Spaß gemacht.","Created":"15/03/2012","Visited":"14/03/2012","UserName":"Trangfoedsel","MembershipLevel":3,"AccountID":3341409,"AccountGuid":"564f0139-4b21-4790-aa52-ac56c8588a67","Email":"","AvatarImage":"049bf355-9e39-44e5-8ecb-cff24fa74d00.jpg","GeocacheFindCount":1103,"GeocacheHideCount":7,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]},{"LogID":218518534,"CacheID":1997597,"LogGuid":"0631a4c1-2735-4139-96ff-4c620addd7ce","Latitude":null,"Longitude":null,"LatLonString":"","LogType":"Found it","LogTypeImage":"icon_smile.gif","LogText":"Heute mit Trangfoedsel gemacht. Schöne Idee!! Hat Spaß gemacht.","Created":"14/03/2012","Visited":"14/03/2012","UserName":"Jango192002","MembershipLevel":3,"AccountID":5239707,"AccountGuid":"2100d9e8-3203-41a4-9c2a-28fa37532690","Email":"","AvatarImage":"161fd5b3-c6ae-4753-9180-ab527695f163.jpg","GeocacheFindCount":111,"GeocacheHideCount":1,"ChallengesCompleted":0,"IsEncoded":false,"creator":{"GroupTitle":"Premium Member","GroupImageUrl":"/images/icons/prem_user.gif"},"Images":[]}], "pageInfo": { "idx":1, "size": 25, "totalRows": 109, "rows": 109 } };
//]]>
</script>
</form>
<script type="text/javascript">
var browserType = {
IE: !!(window.attachEvent && !window.opera),
Opera: !!window.opera,
WebKit: navigator.userAgent.indexOf('AppleWebKit/') > -1,
Gecko: navigator.userAgent.indexOf('Gecko') > -1 && navigator.userAgent.indexOf('KHTML') == -1,
MobileSafari: !!navigator.userAgent.match(/Apple.*Mobile.*Safari/)
};
$(function () {
// Make the menu system play nice with all browsers:
$('ul.Menu li').hover(function () {
$(this).addClass('hover');
$('ul:first', this).css('visibility', 'visible');
}, function () {
$(this).removeClass('hover');
$('ul:first', this).css('visibility', 'hidden');
});
if (!isiOS()) {
// Constructing a Twitter-esque Login:
$(".SignInLink").click(function (e) {
e.preventDefault();
$("#SignInWidget").toggle();
$(".ProfileWidget").toggleClass("WidgetOpen");
$(this).blur();
$("#ctl00_tbUsername").focus();
});
$(".SignInCloseLink").click(function () {
$("#SignInWidget").toggle();
$(".ProfileWidget").toggleClass("WidgetOpen");
});
}
$('.SignedInProfileLink').truncate({
width: 120,
after: '&hellip;',
center: false,
addclass: false,
addtitle: false
});
// Hide the warning message if the user closed it already
if ($.cookie('hide_warning') != null) {
$(".WarningMessage").hide();
} else {
$("#warningCloseButton").click(function () {
$('.WarningMessage').hide('blind');
$.cookie('hide_warning', 'true', { expires: 1 });
});
}
function isiOS() {
return (
(navigator.userAgent.match(/(iPhone)|(iPod)|(iPad)/i))
);
}
});
</script>
<script id="loc_favPointsWhatsThisDesc" type="text/html">
Geocaching Favorites is a simple way to track and share the caches that you enjoyed the most. For every 10 distinct caches that you have found, you will be able to Favorite 1 exceptional cache in your find history. The Favorites accumulated by a cache are displayed in search results and on the cache page so everyone can see which caches stand above the rest.
</script>
<script id="loc_favPointsWhatsThisTitle" type="text/html">
About Favorite Points
</script>
<script id="loc_favPointsScoreDesc" type="text/html">
Favorites/Premium Logs
</script>
<script type="text/javascript" language="javascript">
<!--
$('#uxFavPointsWhatsThis').qtip({
content: {
text: $("#loc_favPointsWhatsThisDesc").html(),
title: {
text: $("#loc_favPointsWhatsThisTitle").html(),
button: true
}
},
position: {
my: 'top center',
at: 'bottom center'
},
show: {
event: 'click'
},
hide: 'click unfocus',
style: {
classes: 'ui-tooltip'
}
})
var gotScore = false;
var favDropDown = $('.favorite-dropdown');
var favContainer = $('.favorite-container');
function showFavoriteScore() {
$('#imgFavoriteScore').attr('src', '/images/loading3.gif');
$('#uxFavoriteScore').parent().fadeTo(200, .001, function () {
$.ajax({
type: "POST",
cache: false,
url: '/datastore/favorites.svc/score?u=' + userToken,
success: function (scoreResult) {
gotScore = true;
var score = 0;
if(scoreResult)
score = scoreResult;
if(score > 100)
score = 100;
$('#imgFavoriteScore').attr('src', '/images/favorites/piecharts/' + score + '.png');
var pieDesc = (score < 1 ? "<1" : score) + '% ' + $("#loc_favPointsScoreDesc").text().trim();
$('#imgFavoriteScore').attr('alt', pieDesc);
$('#imgFavoriteScore').attr('title', pieDesc);
$('#uxFavoriteScore').parent().fadeTo(1000, 1);
$('#uxFavoriteScore').html('<strong>' + (score < 1 ? "<1" : score) + '%</strong> ' + $("#loc_favPointsScoreDesc").html());
}
});
});
}
$(document).bind('mouseup', function (e) {
var $clicked = $(e.target);
if (!$clicked.parents().hasClass("favorite-dropdown") && !$clicked.parents().hasClass("FavoriteWidget")) {
favDropDown.hide(1, function () {
favContainer.addClass('favorite-container');
favContainer.removeClass('favorite-container-open');
$('#imgFavoriteArrow').attr('src', '/images/arrow-down.png');
});
}
});
$('#uxFavContainerLink').click(function () {
if ($(favDropDown).is(':visible')) {
favDropDown.hide(1, function(){
favContainer.addClass('favorite-container');
favContainer.removeClass('favorite-container-open');
$('#imgFavoriteArrow').attr('src', '/images/arrow-down.png');
});
}
else {
if (!gotScore) {
showFavoriteScore();
}
favContainer.addClass('favorite-container-open');
favContainer.removeClass('favorite-container');
$('#imgFavoriteArrow').attr('src', '/images/arrow-up.png');
favDropDown.show(1);
}
});
// End -->
</script>
<script type="text/javascript">
var _gaq = _gaq || [];
_gaq.push(['_setAccount', 'UA-2020240-1']);
_gaq.push(['_trackPageview']);
(function () {
var ga = document.createElement('script');
ga.src = ('https:' == document.location.protocol ?
'https://ssl' : 'http://www') +
'.google-analytics.com/ga.js';
ga.setAttribute('async', 'true');
document.documentElement.firstChild.appendChild(ga);
})();
$(function () {
$("a.language").click(function (e) {
e.preventDefault();
window.location.replace(window.location.href + (window.location.search.indexOf("?") == -1 ? "?" : "&") + "lang=" + $(this).attr("lang"));
});
});
</script>
<!-- Quantcast Tag -->
<div id="Quantcast">
<script type="text/javascript">
var _qevents = _qevents || [];
(function () {
var elem = document.createElement('script');
elem.src = (document.location.protocol == "https:" ? "https://secure" : "http://edge") + ".quantserve.com/quant.js";
elem.async = true;
elem.type = "text/javascript";
var scpt = document.getElementsByTagName('script')[0];
scpt.parentNode.insertBefore(elem, scpt);
})();
</script>
<script type="text/javascript">
_qevents.push({ qacct: "p-f6VPrfmR4cujU" });
</script>
<noscript>
<div style="display: none;">
<img src="http://pixel.quantserve.com/pixel/p-f6VPrfmR4cujU.gif" height="1" width="1"
alt="Quantcast" /></div>
</noscript>
</div>
<!-- End Quantcast tag -->
<!-- Server: WEB09; Build: Web.HotFix_20121016.3 -->
</body>
</html>
|