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
|
<!DOCTYPE html>
<html lang="en" class="no-js">
<head id="ctl00_Head1"><meta charset="utf-8" />
<!--[if IE]><![endif]-->
<title>
GC2CJPF Kinderwald KiC (Multi-cache) in Niedersachsen, Germany created by Tom03
</title><meta name="DC.title" content="Geocaching - The Official Global GPS Cache Hunt Site" /><meta property="og:title" content="Geocaching - The Official Global GPS Cache Hunt Site" /><meta property="og:site_name" content="Geocaching - The Official Global GPS Cache Hunt Site" /><meta property="og:type" content="website" /><meta property="og:url" content="http://www.geocaching.com/" /><meta name="author" content="Groundspeak, Inc." /><meta name="DC.creator" content="Groundspeak, Inc." /><meta name="Copyright" content="Copyright (c) 2000-2011 Groundspeak, Inc. All Rights Reserved." /><!-- Copyright (c) 2000-2011 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 property="og: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 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="image_src" href="/preview.png" /><meta property="og:image" content="/preview.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 rel="stylesheet" type="text/css" media="screen,projection" href="../css/tlnMasterScreen.css" /><link rel="stylesheet" type="text/css" media="all" href="../css/tlnMain.css" /><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.6.1/jquery.min.js"></script>
<script type="text/javascript" src="//ajax.googleapis.com/ajax/libs/jqueryui/1.8.13/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;
}
#tiptip_content{
*background-color:#000;
}
.maxed {
color:#992a2a;
}
.Hidden
{
display: none;
}
</style>
<script type="text/javascript">
<!--
var ad_display_count = 0;
function ShowListings(showCount) {
document.write('<br /><table border=0 cellpadding=2 cellspacing=0 width=100% bgcolor="#C0CEE3">');
var i = 6 + (ad_display_count * 6); ad_display_count = ad_display_count + showCount
while (i < (zSr.length)) {
var descr = zSr[i++], unused1 = zSr[i++], clickURL = zSr[i++], title = zSr[i++], sitehost = zSr[i++], unused2 = zSr[i++];
document.write('<tr bgcolor="#ffffff"><td width="' + (100 / showCount) + '%" valign=top align=left class="clsCell"><div class=clsResult><a TARGET="_new" HREF="' + clickURL + '" class="clsResultTitle">' + title + '</a></div><div class=clsResultDescription>' + descr + '</div><div class=clsURL>' + sitehost + '</div></td></tr>');
if (i >= ((ad_display_count * 6) + 6)) break;
}
document.write('<tr><td align=right><a href="http://searchmarketing.yahoo.com/srch/cm.php?" target="_blank" class="title" style="text-decoration:underline">Ads by Yahoo!</a></td></tr>');
document.write('</table>');
//write the yahoo logo
}
function dht(linkVar) {
linkVar = $(linkVar);
try {
$('#div_hint')
.html(
convertROTStringWithBrackets(
$('#div_hint').html()
)
);
linkVar.html((linkVar.html() == 'Decrypt') ? 'Encrypt' : 'Decrypt');
}
catch (e) {
alert(e);
return false;
}
return false;
}
// -->
</script>
<script>
var mapLatLng = null,
cmapAdditionalWaypoints = [];
</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="100167303362705" property="fb:app_id" /><meta name="og:url" content="http://coord.info/GC2CJPF" property="og:url" /><meta name="og:description" content="Von Nachwuchs-Cachern für Nachwuchs-Cacher." property="og:description" /><meta name="og:image" content="http://www.geocaching.com/images/facebook/wpttypes/3.png" property="og:image" /><meta name="og:title" content="Kinderwald KiC" property="og:title" /><meta name="description" content="Kinderwald KiC (GC2CJPF) was created by Tom03 on 7/31/2010. It's a Small size geocache, with difficulty of 2.5, terrain of 2. It's located in Niedersachsen, Germany. Von Nachwuchs-Cachern für Nachwuchs-Cacher. Kleiner Multi über 7 Stationen. Länge ca. 1 km + 1km für den Rückweg. Die ZS befinden sich alle am KLEINEN BACH innerhalb des Kinderwaldes." /><link rel="alternate" href="../datastore/rss_galleryimages.ashx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376" type="application/rss+xml" title="[Gallery Images]" id="GalleryImages" /></head>
<body background="http://www.blafoo.de/images/Kinderwald.jpg" class="CacheDetailsPage">
<form name="aspnetForm" method="post" action="cache_details.aspx?log=y&wp=GC2CJPF&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="/wEPDwUKMTY4Njc0NTYxMA8WAh4EQy5JRCgpWVN5c3RlbS5JbnQ2NCwgbXNjb3JsaWIsIFZlcnNpb249NC4wLjAuMCwgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1iNzdhNWM1NjE5MzRlMDg5BzE4MTE0MDkWAmYPZBYGZg9kFgYCCg8WAh4EVGV4dAViPG1ldGEgbmFtZT0iQ29weXJpZ2h0IiBjb250ZW50PSJDb3B5cmlnaHQgKGMpIDIwMDAtMjAxMSBHcm91bmRzcGVhaywgSW5jLiBBbGwgUmlnaHRzIFJlc2VydmVkLiIgLz5kAgsPFgIfAQVHPCEtLSBDb3B5cmlnaHQgKGMpIDIwMDAtMjAxMSBHcm91bmRzcGVhaywgSW5jLiBBbGwgUmlnaHRzIFJlc2VydmVkLiAtLT5kAicPFgIeB1Zpc2libGVoZAIBD2QWEgIFDxYCHwFkZAIIDxYCHwJnFgoCAQ8PFgIeCEltYWdlVXJsBU5odHRwOi8vaW1nLmdlb2NhY2hpbmcuY29tL3VzZXIvYXZhdGFyLzc3MWJjYTMzLTlkM2EtNGRkNS1hMWYyLWU2N2NmY2I5Zjk0MS5qcGdkZAIDDxYCHwEFaEhlbGxvLCA8YSBocmVmPSIvbXkvZGVmYXVsdC5hc3B4IiB0aXRsZT0iVmlldyBQcm9maWxlIGZvciBibGFmb28iIGNsYXNzPSJTaWduZWRJblByb2ZpbGVMaW5rIj5ibGFmb288L2E+ZAIFDw8WAh4LTmF2aWdhdGVVcmwFrQFodHRwczovL3d3dy5nZW9jYWNoaW5nLmNvbS9sb2dpbi9kZWZhdWx0LmFzcHg/UkVTRVQ9WSZyZWRpcj1odHRwJTNhJTJmJTJmd3d3Lmdlb2NhY2hpbmcuY29tJTJmc2VlayUyZmNhY2hlX2RldGFpbHMuYXNweCUzZmxvZyUzZHklMjZ3cCUzZEdDMkNKUEYlMjZudW1sb2dzJTNkMzUlMjZkZWNyeXB0JTNkeWRkAgcPFgIfAQWtATxpbWcgc3JjPSIvaW1hZ2VzL2ljb25zL2ljb25fc21pbGUucG5nIiB0aXRsZT0iQ2FjaGVzIEZvdW5kIiAvPiA0MDgmbmJzcDsmbWlkZG90OyZuYnNwOzxpbWcgc3JjPSIvaW1hZ2VzL2NoYWxsZW5nZXMvdHlwZXMvc20vY2hhbGxlbmdlLnBuZyIgdGl0bGU9IkNoYWxsZW5nZXMgQ29tcGxldGVkIiAvPiAxZAILDxYCHwJnFgJmDw8WAh8CaGRkAg8PFgIfAmcWAgINDw8WAh8EBUB+L3RyYWNrL3NlYXJjaC5hc3B4P289MSZ1aWQ9MDU2NGE5NDAtODMxMS00MGVlLThlNzYtN2U5MWIyY2Y2Mjg0ZGQCIQ8WAh8CZ2QCIw8WAh4FY2xhc3MFDHNwYW4tMjQgbGFzdBYCAgEPZBZIAgMPFgIfAQUBQWQCBQ8WAh8CZ2QCCA8WAh8CaGQCDw9kFgQCAQ8WAh8BBQE2ZAIDDw8WAh8EBUQvc2Vlay9jYWNoZV9mYXZvcml0ZWQuYXNweD9ndWlkPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NmRkAhAPDxYCHwJoZGQCEw8WAh8CaGQCFA8WAh8CaGQCFw8WAh4Fc3R5bGUFD2Rpc3BsYXk6aW5saW5lOxYCAgEPFgIfAQUbVVRNOiAzMlUgRSA1NDUxNjQgTiA1ODA4NTI0ZAIaDw8WAh8EBTNjZHBmLmFzcHg/Z3VpZD03MzI0NmE1YS1lYmI5LTRkNGYtOGRiOS1hOTUxMDM2ZjUzNzZkZAIbDw8WAh8EBThjZHBmLmFzcHg/Z3VpZD03MzI0NmE1YS1lYmI5LTRkNGYtOGRiOS1hOTUxMDM2ZjUzNzYmbGM9NWRkAhwPDxYCHwQFOWNkcGYuYXNweD9ndWlkPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZsYz0xMGRkAh0PDxYEHwQFc2h0dHA6Ly9tYXBzLmdvb2dsZS5jb20vbWFwcz9mPWQmaGw9ZW4mc2FkZHI9NTIuNDE2Miw5LjU5NDExNyAoSG9tZSBMb2NhdGlvbikmZGFkZHI9NTIuNDI1MDY3LDkuNjY0MihLaW5kZXJ3YWxkK0tpQykeBlRhcmdldAUGX2JsYW5rZGQCIQ9kFggCAQ8PFgQeCUZvcmVDb2xvcgweBF8hU0ICBGRkAgMPDxYEHwgMHwkCBGRkAgUPDxYCHwJnFgIeB29uY2xpY2sFO3MyZ3BzKCc3MzI0NmE1YS1lYmI5LTRkNGYtOGRiOS1hOTUxMDM2ZjUzNzYnKTtyZXR1cm4gZmFsc2U7ZAIHDw8WAh8CZxYCHwoFIHMycGhvbmUoJ0dDMkNKUEYnKTtyZXR1cm4gZmFsc2U7ZAIjDxYCHwJnZAImD2QWCGYPFgIfAmhkAgEPDxYCHwJoZGQCAg8PFgIfAmhkZAIDDxYCHwJoZAIoDw8WAh8BBQdFbmNyeXB0ZGQCKQ8WAh8BBTREYXMgRmluYWwgKHVudGVyIFN0ZWluZW4pIGlzdCBtaXQgR0MgZ2VrZW5uemVpY2huZXQuZAIrD2QWAgIBDw8WAh8BBQdHQzJDSlBGZGQCLQ9kFgQCAQ8PFgQeCENzc0NsYXNzZB8JAgJkZAIEDxYCHwEFAjIyZAIuD2QWAgIBDxYCHwJnFgICAQ8PFgIfBAU4L3NlZWsvbG9nLmFzcHg/TFVJRD03YzZmMDg5MS03MDAzLTRhZTUtOTIzMS1jMmU0MTdkMWM1ZTRkZAIvDxYCHwJnZAIwDxYCHwJoZAI0D2QWAgIBD2QWBAIBDw8WAh8BBf8DPGlmcmFtZSB0eXBlPSJpZnJhbWUiIHNyYz0iaHR0cDovL2Fkcy5ncm91bmRzcGVhay5jb20vYS5hc3B4P1pvbmVJRD05JlRhc2s9R2V0JlNpdGVJRD0xJlg9JzQ1NmVkY2VjNWNiNzRiZGRhOTc4MDMzZGJkMGEyNTFhJyIgd2lkdGg9IjEyMCIgaGVpZ2h0PSIyNDAiIE1hcmdpbndpZHRoPSIwIiBNYXJnaW5oZWlnaHQ9IjAiIEhzcGFjZT0iMCIgVnNwYWNlPSIwIiBGcmFtZWJvcmRlcj0iMCIgU2Nyb2xsaW5nPSJubyIgc3R5bGU9IndpZHRoOjEyMHB4O0hlaWdodDoyNDBweDsiPjxhIGhyZWY9Imh0dHA6Ly9hZHMuZ3JvdW5kc3BlYWsuY29tL2EuYXNweD9ab25lSUQ9OSZUYXNrPUNsaWNrJjtNb2RlPUhUTUwmU2l0ZUlEPTEiIHRhcmdldD0iX2JsYW5rIj48aW1nIHNyYz0iaHR0cDovL2Fkcy5ncm91bmRzcGVhay5jb20vYS5hc3B4P1pvbmVJRD05JlRhc2s9R2V0Jk1vZGU9SFRNTCZTaXRlSUQ9MSIgd2lkdGg9IjEyMCIgaGVpZ2h0PSIyNDAiIGJvcmRlcj0iMCIgYWx0PSIiIC8+PC9hPjwvaWZyYW1lPmRkAgMPFgIeCWlubmVyaHRtbAUTQWR2ZXJ0aXNpbmcgd2l0aCBVc2QCOA9kFgYCAg8WAh4LXyFJdGVtQ291bnQCARYCAgEPZBYCZg8VA1ZodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL3RyYWNrL2RldGFpbHMuYXNweD9ndWlkPTM2YjM2OTlkLTQ5MzItNDZhMC05ZjQ0LTA4ZDM1ZmJiOGYwYTVodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL2ltYWdlcy93cHR0eXBlcy9zbS8zMjIyLmdpZhFad2Vkc2NoZ2EgR2VvY29pbmQCBA8PFgIfAmdkFgICAQ8PFgQfAQUTVmlldyBhbGwgVHJhY2thYmxlcx8EBUl+L3RyYWNrL3NlYXJjaC5hc3B4P3dpZD03MzI0NmE1YS1lYmI5LTRkNGYtOGRiOS1hOTUxMDM2ZjUzNzYmY2NpZD0xODExNDA5ZGQCBQ8PFgIfBAU8fi90cmFjay9zZWFyY2guYXNweD93aWQ9NzMyNDZhNWEtZWJiOS00ZDRmLThkYjktYTk1MTAzNmY1Mzc2ZGQCPA9kFgICAQ8PFgIfBAVFL2hpZGUvd3B0bGlzdC5hc3B4P1JlZldwdElEPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZEUz0xZGQCPg8PFgQeBlJEUy5JRAspdkdyb3VuZHNwZWFrLldlYi5HUFguV3B0RGF0YVNvdXJjZXMsIFR1Y3Nvbi5Db21tb24uTGVnYWN5LCBWZXJzaW9uPTMuMC40MjU1LjE2MzQ5LCBDdWx0dXJlPW5ldXRyYWwsIFB1YmxpY0tleVRva2VuPW51bGwBHgdSV1BULklEKCsEBzE4MTE0MDlkFgJmDxYCHw0CBBYKZg9kFgJmDw8WAh8CaGRkAgEPZBYMZg8VAgAFZmFsc2VkAgIPFQhZPGltZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHNyYz0iL2ltYWdlcy9pY29ucy9pY29uX25vY29vcmRzLmpwZyIgYWx0PSJubyBjb29yZGluYXRlcyIgLz41aHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9pbWFnZXMvd3B0dHlwZXMvc20vZmxhZy5qcGcORmluYWwgTG9jYXRpb24CRk4CRk4FRklOQUywATxhIGhyZWY9Imh0dHA6Ly93d3cuZ2VvY2FjaGluZy5jb20vc2Vlay93cHQuYXNweD9XSUQ9MzBmMWIzN2MtZDM5NS00YzdhLTk0ZTItMGM2NDlkNWYyMzFiJlJlZklEPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZSZWZEUz0xIj5HQzJDSlBGIEZpbmFsPC9hPiAoRmluYWwgTG9jYXRpb24pAz8/P2QCBQ8PFgIeB1Rvb2xUaXAFBEVkaXRkZAIHDw8WAh8QBQNNYXBkZAILDw8WAh8QBQhbUmVtb3ZlXRYCHwoFQHJldHVy" />
<input type="hidden" name="__VIEWSTATE1" id="__VIEWSTATE1" value="biBjb25maXJtKCdBcmUgeW91IHN1cmUgeW91IHdhbnQgdG8gcmVtb3ZlIHRoaXMgd2F5cG9pbnQ/JylkAgwPFQIAAGQCAg9kFgxmDxUCDkFsdGVybmF0aW5nUm93BWZhbHNlZAICDxUIVDxpbWcgd2lkdGg9IjE2IiBoZWlnaHQ9IjE2IiBzcmM9Ii9pbWFnZXMvaWNvbnMvaWNvbl92aWV3YWJsZS5qcGciIGFsdD0iYXZhaWxhYmxlIiAvPjRodHRwOi8vd3d3Lmdlb2NhY2hpbmcuY29tL2ltYWdlcy93cHR0eXBlcy9zbS9wa2cuanBnDFBhcmtpbmcgQXJlYQJQSwJQSwZQQVJLTkewATxhIGhyZWY9Imh0dHA6Ly93d3cuZ2VvY2FjaGluZy5jb20vc2Vlay93cHQuYXNweD9XSUQ9OThjYjEzODctNDljZS00Zjk0LTliMDUtNWNiMDc5ZDMzMmIxJlJlZklEPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZSZWZEUz0xIj5HQzJDSlBGIFBhcmtpbmc8L2E+IChQYXJraW5nIEFyZWEpHE4gNTLCsCAyNS4zODQgRSAwMDnCsCAzOS4wMjNkAgUPDxYCHxAFBEVkaXRkZAIHDw8WAh8QBQNNYXBkZAILDw8WAh8QBQhbUmVtb3ZlXRYCHwoFQHJldHVybiBjb25maXJtKCdBcmUgeW91IHN1cmUgeW91IHdhbnQgdG8gcmVtb3ZlIHRoaXMgd2F5cG9pbnQ/JylkAgwPFQIOQWx0ZXJuYXRpbmdSb3c3S2VpbiAib2ZmaXppZWxsZXIiIFBhcmtwbGF0eiwgUGFya2VuIHRyb3R6ZGVtIG3DtmdsaWNoLmQCAw9kFgxmDxUCAAVmYWxzZWQCAg8VCFQ8aW1nIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgc3JjPSIvaW1hZ2VzL2ljb25zL2ljb25fdmlld2FibGUuanBnIiBhbHQ9ImF2YWlsYWJsZSIgLz43aHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9pbWFnZXMvd3B0dHlwZXMvc20vcHV6emxlLmpwZxJRdWVzdGlvbiB0byBBbnN3ZXICU1QCU1QFU1RBUlS0ATxhIGhyZWY9Imh0dHA6Ly93d3cuZ2VvY2FjaGluZy5jb20vc2Vlay93cHQuYXNweD9XSUQ9MDQxMTNiYWQtNjRjYS00OTlhLTk4NDgtYjU5MzdlMTNkYTFiJlJlZklEPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZSZWZEUz0xIj5HQzJDSlBGIFN0YXJ0PC9hPiAoUXVlc3Rpb24gdG8gQW5zd2VyKRxOIDUywrAgMjUuNTA0IEUgMDA5wrAgMzkuODUyZAIFDw8WAh8QBQRFZGl0ZGQCBw8PFgIfEAUDTWFwZGQCCw8PFgIfEAUIW1JlbW92ZV0WAh8KBUByZXR1cm4gY29uZmlybSgnQXJlIHlvdSBzdXJlIHlvdSB3YW50IHRvIHJlbW92ZSB0aGlzIHdheXBvaW50PycpZAIMDxUCAABkAgQPZBYMZg8VAg5BbHRlcm5hdGluZ1JvdwVmYWxzZWQCAg8VCFQ8aW1nIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgc3JjPSIvaW1hZ2VzL2ljb25zL2ljb25fdmlld2FibGUuanBnIiBhbHQ9ImF2YWlsYWJsZSIgLz45aHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9pbWFnZXMvd3B0dHlwZXMvc20vd2F5cG9pbnQuanBnD1JlZmVyZW5jZSBQb2ludAJXTwJXTwZTQ0VOSUOyATxhIGhyZWY9Imh0dHA6Ly93d3cuZ2VvY2FjaGluZy5jb20vc2Vlay93cHQuYXNweD9XSUQ9YjI4YzU4NzktMzE4MS00NTEwLTk0ZmEtNmVjNWUzMGZkMDU2JlJlZklEPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZSZWZEUz0xIj5BdXNzaWNodHNwdW5rdDwvYT4gKFJlZmVyZW5jZSBQb2ludCkcTiA1MsKwIDI1LjQ4OCBFIDAwOcKwIDM5LjQzMmQCBQ8PFgIfEAUERWRpdGRkAgcPDxYCHxAFA01hcGRkAgsPDxYCHxAFCFtSZW1vdmVdFgIfCgVAcmV0dXJuIGNvbmZpcm0oJ0FyZSB5b3Ugc3VyZSB5b3Ugd2FudCB0byByZW1vdmUgdGhpcyB3YXlwb2ludD8nKWQCDA8VAg5BbHRlcm5hdGluZ1Jvd09FaGVtYWxpZ2UgRmluYWxsb2NhdGlvbiB3byBlcyBnZWJyYW5udCBoYXQuIEdsZWljaHplaXRpZyBuZXR0ZXIgQXVzc2ljaHRzcHVua3QuZAI/Dw8WAh8CZ2QWAgIBDw8WBB8EBS8vbWFwL2JldGEvZGVmYXVsdC5hc3B4P2xhdD01Mi40MjUwNjcmbG5nPTkuNjY0Mh8CZ2RkAkMPDxYCHwQFGi9zZWVrL25lYXJlc3QuYXNweD91PVRvbTAzZGQCRQ8PFgIfBAUbL3NlZWsvbmVhcmVzdC5hc3B4P3VsPVRvbTAzZGQCRw9kFgoCAw8PFgIfBAVVL3NlZWsvbmVhcmVzdC5hc3B4P3R4PWE1ZjZkMGFkLWQyZjItNDAxMS04YzE0LTk0MGE5ZWJmM2M3NCZsYXQ9NTIuNDI1MDY3JmxuZz05LjY2NDIwMGRkAgUPDxYCHwQFWS9zZWVrL25lYXJlc3QuYXNweD90eD1hNWY2ZDBhZC1kMmYyLTQwMTEtOGMxNC05NDBhOWViZjNjNzQmbGF0PTUyLjQyNTA2NyZsbmc9OS42NjQyMDAmZj0xZGQCCQ8PFgIfBAUtL3NlZWsvbmVhcmVzdC5hc3B4P2xhdD01Mi40MjUwNjcmbG5nPTkuNjY0MjAwZGQCCw8PFgIfBAUxL3NlZWsvbmVhcmVzdC5hc3B4P2xhdD01Mi40MjUwNjcmbG5nPTkuNjY0MjAwJmY9MWRkAg8PDxYCHwQFR2h0dHA6Ly93d3cud2F5bWFya2luZy5jb20vZGlyZWN0b3J5LmFzcHg/Zj0xJmxhdD01Mi40MjUwNjcmbG9uPTkuNjY0MjAwZGQCSA8WAh8CaGQCSg8PFgIfBAUlL3Jldmlld3MvaG90ZWxzLWNvb3Jkcy01Mi40MjUxLDkuNjY0MmRkAkwPZBYCAgEPDxYEHwEFlQc8bGk+PGEgaHJlZj0iaHR0cDovL3d3dy5nZW9jYWNoaW5nLmNvbS9tYXAvYmV0YS9kZWZhdWx0LmFzcHg/bGF0PTUyLjQyNTA2NyZsbmc9OS42NjQyIiB0YXJnZXQ9Il9ibGFuayI+R2VvY2FjaGluZy5jb20gR29vZ2xlIE1hcDwvYT48L2xpPjxsaT48YSBocmVmPSJodHRwOi8vbWFwcy5nb29nbGUuY29tL21hcHM/cT1OKzUyJWMyJWIwKzI1LjUwNCtFKzAwOSVjMiViMCszOS44NTIrKEdDMkNKUEYpKyIgdGFyZ2V0PSJfYmxhbmsiPkdvb2dsZSBNYXBzPC9hPjwvbGk+PGxpPjxhIGhyZWY9Imh0dHA6Ly93d3cubWFwcXVlc3QuY29tL21hcHMvbWFwLmFkcD9zZWFyY2h0eXBlPWFkZHJlc3MmZm9ybXR5cGU9bGF0bG9uZyZsYXRsb25ndHlwZT1kZWNpbWFsJmxhdGl0dWRlPTUyLjQyNTA2NyZsb25naXR1ZGU9OS42NjQyJnpvb209MTAiIHRhcmdldD0iX2JsYW5rIj5NYXBRdWVzdDwvYT48L2xpPjxsaT48YSBocmVmPSJodHRwOi8vbWFwcy55YWhvby5jb20vbWFwc19yZXN1bHQ/bGF0PTUyLjQyNTA2NyZsb249OS42NjQyIiB0YXJnZXQ9Il9ibGFuayI+WWFob28gTWFwczwvYT48L2xpPjxsaT48YSBocmVmPSJodHRwOi8vd3d3LmJpbmcuY29tL21hcHMvZGVmYXVsdC5hc3B4P3Y9MiZzcD1wb2ludC41Mi40MjUwNjdfOS42NjQyX0dDMkNKUEYiIHRhcmdldD0iX2JsYW5rIj5CaW5nIE1hcHM8L2E+PC9saT48bGk+PGEgaHJlZj0iaHR0cDovL3d3dy5vcGVuY3ljbGVtYXAub3JnLz96b29tPTEyJmxhdD01Mi40MjUwNjcmbG9uPTkuNjY0MiIgdGFyZ2V0PSJfYmxhbmsiPk9wZW4gQ3ljbGUgTWFwczwvYT48L2xpPjxsaT48YSBocmVmPSJodHRwOi8vd3d3Lm9wZW5zdHJlZXRtYXAub3JnLz9tbGF0PTUyLjQyNTA2NyZtbG9uPTkuNjY0MiZ6b29tPTEyIiB0YXJnZXQ9Il9ibGFuayI+T3BlbiBTdHJlZXQgTWFwczwvYT48L2xpPh8CZ2RkAk4PZBYIAgEPFgIfAQUQNjYgTG9nZ2VkIFZpc2l0c2QCAg8WAh8CZ2QCAw8PFgQfBAU9fi9zZWVrL2dhbGxlcnkuYXNweD9ndWlkPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3Nh8BBSNWaWV3IHRoZSBJbWFnZSBHYWxsZXJ5IG9mIDEyIGltYWdlc2RkAgsPFgQfAQWMAVRoZXJlIGFyZSAzMSBhZGRpdGlvbmFsIGxvZ3MuIDxhIGhyZWY9Ii9zZWVrL2NhY2hlX2RldGFpbHMuYXNweD9ndWlkPTczMjQ2YTVhLWViYjktNGQ0Zi04ZGI5LWE5NTEwMzZmNTM3NiZsb2c9eSZkZWNyeXB0PXkiPlZpZXcgdGhlbSBhbGw8L2E+HwJoZAJPDxYCHwEFBHRydWVkAlAPFgIfAQVJbGF0PTUyLjQyNTA2NzsgbG5nPTkuNjY0MjsgZ3VpZD0nNzMyNDZhNWEtZWJiOS00ZDRmLThkYjktYTk1MTAzNmY1Mzc2JzsNCmQCJA8WAh8CaGQCJQ9kFgQCAQ8WAh8BBQdFbmdsaXNoZAID" />
<input type="hidden" name="__VIEWSTATE2" id="__VIEWSTATE2" value="DxYCHw0CDhYcZg9kFgICAQ8PFggeD0NvbW1hbmRBcmd1bWVudAUFZW4tVVMeC0NvbW1hbmROYW1lBQ1TZXRUZW1wTG9jYWxlHwEFB0VuZ2xpc2geEENhdXNlc1ZhbGlkYXRpb25oZGQCAQ9kFgICAQ8PFggfEQUFZGUtREUfEgUNU2V0VGVtcExvY2FsZR8BBQdEZXV0c2NoHxNoZGQCAg9kFgICAQ8PFggfEQUFZnItRlIfEgUNU2V0VGVtcExvY2FsZR8BBQlGcmFuw6dhaXMfE2hkZAIDD2QWAgIBDw8WCB8RBQVwdC1QVB8SBQ1TZXRUZW1wTG9jYWxlHwEFClBvcnR1Z3XDqnMfE2hkZAIED2QWAgIBDw8WCB8RBQVjcy1DWh8SBQ1TZXRUZW1wTG9jYWxlHwEFCcSMZcWhdGluYR8TaGRkAgUPZBYCAgEPDxYIHxEFBXN2LVNFHxIFDVNldFRlbXBMb2NhbGUfAQUHU3ZlbnNrYR8TaGRkAgYPZBYCAgEPDxYIHxEFBW5sLU5MHxIFDVNldFRlbXBMb2NhbGUfAQUKTmVkZXJsYW5kcx8TaGRkAgcPZBYCAgEPDxYIHxEFBWNhLUVTHxIFDVNldFRlbXBMb2NhbGUfAQUHQ2F0YWzDoB8TaGRkAggPZBYCAgEPDxYIHxEFBXBsLVBMHxIFDVNldFRlbXBMb2NhbGUfAQUGUG9sc2tpHxNoZGQCCQ9kFgICAQ8PFggfEQUFZXQtRUUfEgUNU2V0VGVtcExvY2FsZR8BBQVFZXN0aR8TaGRkAgoPZBYCAgEPDxYIHxEFBW5iLU5PHxIFDVNldFRlbXBMb2NhbGUfAQUOTm9yc2ssIEJva23DpWwfE2hkZAILD2QWAgIBDw8WCB8RBQVrby1LUh8SBQ1TZXRUZW1wTG9jYWxlHwEFCe2VnOq1reyWtB8TaGRkAgwPZBYCAgEPDxYIHxEFBWVzLUVTHxIFDVNldFRlbXBMb2NhbGUfAQUIRXNwYcOxb2wfE2hkZAIND2QWAgIBDw8WCB8RBQVodS1IVR8SBQ1TZXRUZW1wTG9jYWxlHwEFBk1hZ3lhch8TaGRkAjIPFgIfAmdkAkYPFgIfAmdkAgMPFgIfAQUnU2VydmVyOiBXRUIwODsgQnVpbGQ6IFMyNV9IRl8yMDExMDgxOS40ZGS7cRSbK+B0IYlTcMka2TIzEJfJfg==" />
</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=634501408438608315" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=I9_m2Hb1Tv_B0qTMDG8bMbnkNSHUkv5oUaG9-V5NZ8qQ2VFlu60I8y8gfr3vPmZjbiPnu43MOQdFVDeYF-nDAEKBLmyxD3DCTGmes9NNbbvaDEHyEuuRWgccIkK3ik5TI48YGDxjHjqdn-gTK4Fkgd17LGw1&t=4edbeeee" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=8vNbe34dAujgZMPnfnacfjeoweX1vHgyns8KlAV4vpGpsZC9Cf3pro__lv8ekBa0NiCgXGMMolzOUNH__lrnEI_qjlNBIAuuLeemtAXV_i6E0QIMZa8nGSYmWGF5nQOJK3rmZzvTxsr2Mh4Ebdba_1ywGLUSH_U_XIe-jzecfRQwwvjZ0&t=4edbeeee" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=qwcmXmpiNRnL_E7YHWnzERZFR3nKyxx1qlszTbydloajOsFSsUqpPa8z7FkJhDelcUMvxk_HT_yMdVVwc-3mTpKEYjPpUY_qUpjRdbtQiWLXsmZ6WAVSeMV66K36RN-qcwDxpE2vtP979OEYW85mWJGgljAL12WfPJlF4F-aaN71aIRKEBD4fIDHjkDRHG3ErczSPzqHdQonTaTvMvOBcLKgxcU1" type="text/javascript"></script>
<script src="/ScriptResource.axd?d=fMH-h6hzawJX4bwqfY9SwE6zBABexlYz3N0jKWeq2C-90qybG7t46qJ6prTnEH1Z2xFaOsXnOuKdk3sp_OKtwPGPaG3WGyfcFE5C4VzWZNMEQhNbZpMGCljLVuNF3TWiw7lSDS-oMSLnBo9EBxJip08YqJT7l3wyLBVQIwFg3IE2X4pKg-Aq-trsLIIZKjr3Q3BBNXcstz-q99IyQEMqBxYuq2vlU71QX8YRYFUn5YsN9QzfeaQcUB6-L3gQUPwekqeA5TzKcQ9WwWltefX6SIQD2dt6BGrCnSXTIaJX4RbHyjgbcoMDiaY1cS2Lv8lRTZ_lUO4O_eWGQC8b1a1x7BYczYu8SWtoVV7rv-ayW1O49btzmIS9iowd2KdTW7rFlVYpGZbwfZA1-N03z9K6S8-6H95IQa8-1x4Rvt9g2z-DrWrNe5Xc6pSrqoafR4DRjfpnK5nv3pIyAKpyCAcRJvRACIgz9DFzis9RHV7AgHxAa03J74vSItQR1cJO0PfQ8PWYo0PzlrJo474ww1TszCP0VHFV0SUpuqUyBmUDzjE1Iq00bZk9PrJ35B20-tVEJE7Co6nZf0gk3vSJKxZoODHG6zUUsrSkJ4PXdhp8hO2z1zhE0" type="text/javascript"></script>
<script src="js/cachedetails.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">Knowledge Books</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="../default.aspx" 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/default.aspx"><img title="Your Profile" src="http://img.geocaching.com/user/avatar/771bca33-9d3a-4dd5-a1f2-e67cfcb9f941.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%3dGC2CJPF%26numlogs%3d35%26decrypt%3dy">Sign Out</a>)<br />
<strong><img src="/images/icons/icon_smile.png" title="Caches Found" /> 408 · <img src="/images/challenges/types/sm/challenge.png" title="Challenges Completed" /> 1</strong>
<span id="ctl00_litPMLevel" style="display: block;">Premium Member</span>
</p>
</div>
</div>
<nav id="Navigation" class="span-24 last">
<ul class="Menu">
<li>
<a id="ctl00_hlNavPlay" accesskey="1" title="Play" href="../play/default.aspx">Play ▼</a>
<ul class="SubMenu">
<li><a id="ctl00_hlSubNavGuide" accesskey="i" title="Guide" href="../guide/default.aspx">Guide</a></li>
<li><a id="ctl00_hlSubNavHide" accesskey="d" title="Hide & Seek a Cache" href="default.aspx">Hide & Seek a Cache</a></li>
<li><a id="ctl00_hlSubNavChallenges" title="Find Challenges" href="../challenges/default.aspx">Find Challenges</a></li>
<li><a id="ctl00_hlSubNavTrackables" accesskey="e" title="Find Trackables" href="../track/default.aspx">Find Trackables</a></li>
</ul>
</li>
<li id="ctl00_liNavProfile">
<a id="ctl00_hlNavProfile" accesskey="2" title="Your Profile" title="[Your Profile ▼]" href="../my/default.aspx">Your Profile ▼</a>
<ul class="SubMenu">
<li><a id="ctl00_hlSubNavQuickView" accesskey="p" title="Quick View" href="../my/default.aspx">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_hlSubNavTrackables2" accesskey="7" title="Find Trackables" class="NoRightPadding" href="../my/travelbugs.aspx">Find 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/default.aspx">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/default.aspx">Account Details</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavCommunity" accesskey="3" title="Community" href="../community/default.aspx">Community ▼</a>
<ul class="SubMenu">
<li><a id="ctl00_hlSubNavForums" accesskey="f" title="Forums" href="../forums/default.aspx">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/default.aspx">Events</a></li>
<li><a id="ctl00_hlSubNavLocal" accesskey="z" title="Local Organizations" href="../organizations/default.aspx">Local Organizations</a></li>
</ul>
</li>
<li><a id="ctl00_hlNavVideos" accesskey="4" title="Videos" href="../videos/default.aspx">Videos</a></li>
<li>
<a id="ctl00_hlNavResources" accesskey="5" title="Resources" href="../resources/default.aspx">Resources ▼</a>
<ul class="SubMenu">
<li><a id="ctl00_hlSubNavGPSReviews" accesskey="w" title="GPS Reviews" href="/reviews/gps">GPS Reviews</a></li>
<li><a id="ctl00_hlSubNavTools" accesskey="o" title="Tools and Downloads" href="../tools/default.aspx">Tools and Downloads</a></li>
<li><a id="ctl00_hlSubNavTellaFriend" accesskey="-" title="Tell a Friend" href="../account/SendReferral.aspx">Tell a Friend</a></li>
</ul>
</li>
<li>
<a id="ctl00_hlNavShop" accesskey="6" title="Shop" href="../shop/default.aspx">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_hlSubNavGPSGuide" accesskey="k" title="Guide to Buying a GPS Device" href="../about/buying.aspx">Guide to Buying a GPS Device</a></li>
</ul>
</li>
</ul>
<p class="SocialMediaIcons NoBottomSpacing right">
<a id="ctl00_hlFacebook" title="Follow Us on Facebook" href="http://www.facebook.com/pages/Geocachingcom/45625464679?ref=ts"><img id="ctl00_imgFacebook" title="Follow Us on Facebook" src="../images/home/icon_facebook.png" alt="Follow Us on Facebook" style="border-width:0px;" /></a> <a id="ctl00_hlTwitter" title="Follow Us on Twitter" href="http://twitter.com/GoGeocaching"><img id="ctl00_imgTwitter" title="Follow Us on Twitter" src="../images/home/icon_twitter.png" alt="Follow Us on Twitter" style="border-width:0px;" /></a> <a id="ctl00_hlFlickr" title="Follow Us on Flickr" href="http://www.flickr.com/photos/geocaching_com/"><img id="ctl00_imgFlickr" title="Follow Us on Flickr" src="../images/home/icon_flickr.png" alt="Follow Us on Flickr" style="border-width:0px;" /></a> <a id="ctl00_hlYouTube" title="Follow Us on YouTube" href="http://www.youtube.com/user/GoGeocaching"><img id="ctl00_imgYouTube" title="Follow Us on YouTube" src="../images/home/icon_youtube.png" alt="Follow Us on YouTube" style="border-width:0px;" /></a></p>
</nav>
</div>
</header>
<section id="Content">
<div id="feedback-tab">
<a href="http://feedback.geocaching.com" onclick="UserVoice.Popin.show(uservoiceOptions); return false;">
<span id="text">Feedback</span><img id="uv-icon" src="/images/masters/uv-icon-green.png" height="29" width="25" alt="feedback" />
</a>
</div>
<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 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/3.gif" alt="Multi-cache" title="Multi-cache" width="32" height="32" /></a></p>
<h2 class="NoBottomSpacing">
<span id="ctl00_ContentBody_CacheName">Kinderwald KiC</span></h2>
<span class="minorCacheDetails">
A
cache
by <a href="http://www.geocaching.com/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723&wid=73246a5a-ebb9-4d4f-8db9-a951036f5376&ds=2">Tom03</a></span> <span class="minorCacheDetails">
Hidden
:
07/31/2010</span>
</div>
<div class="CacheStarLabels span-3 BottomSpacing">
Difficulty:
<br />
Terrain:
</div>
<div class="CacheStarImgs span-2">
<span id="ctl00_ContentBody_uxLegendScale" title="(1 is easiest, 5 is hardest)"><img src="http://www.geocaching.com/images/stars/stars2_5.gif" alt="2.5 out of 5" /></span>
<span id="ctl00_ContentBody_Localize6" title="(1 is easiest, 5 is hardest)"><img src="http://www.geocaching.com/images/stars/stars2.gif" alt="2 out of 5" /></span>
</div>
<div 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" class="right">
<a id="uxFavContainerLink" href="javascript:void(0);">
<div class="favorite-container">
<span class="favorite-value">
6</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=73246a5a-ebb9-4d4f-8db9-a951036f5376">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>
<div class="CacheInformationTable">
<div class="LocationData">
<p class="NoBottomSpacing">
<span id="ctl00_ContentBody_LatLon" style="font-weight:bold;">N 52° 25.504 E 009° 39.852</span>
<small>
<a id="ctl00_ContentBody_lnkConversions" title="Other Conversions" href="/wpt/?lat=52.425067&lon=9.6642&detail=1" target="_blank">Other Conversions</a>
</small>
<br />
<span id="ctl00_ContentBody_LocationSubPanel" style="display:inline;"><small>
UTM: 32U E 545164 N 5808524
</small>
<br />
<span id="ctl00_ContentBody_lblDistFromHome"><img src="/images/icons/compass/E.gif" alt="E" /> E 4.8km from your home location</span>
<br />
</span>
<span id="ctl00_ContentBody_Location">In Niedersachsen, Germany</span>
</p>
</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=73246a5a-ebb9-4d4f-8db9-a951036f5376" 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=73246a5a-ebb9-4d4f-8db9-a951036f5376&lc=5" target="_blank">5 Logs</a>
<a id="ctl00_ContentBody_lnkPrintFriendly10Logs" href="cdpf.aspx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376&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.425067,9.6642(Kinderwald+KiC)" 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('73246a5a-ebb9-4d4f-8db9-a951036f5376');return false;" id="ctl00_ContentBody_btnSendToGPS" />
|
<input type="submit" name="ctl00$ContentBody$btnSendToPhone" value="Send to My Phone" onclick="s2phone('GC2CJPF');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">
</p>
</fieldset>
<div class="UserSuppliedContent">
<span id="ctl00_ContentBody_ShortDescription">Von Nachwuchs-Cachern für Nachwuchs-Cacher.
</span>
</div>
<br />
<div class="UserSuppliedContent">
<span id="ctl00_ContentBody_LongDescription">Kleiner Multi über 7 Stationen. Länge ca. 1 km + 1km für den
Rückweg. Die ZS befinden sich alle am KLEINEN BACH innerhalb des
Kinderwaldes. Die Fragen müssen nicht in der aufgeführten
Reihenfolge beantwortet werden, ihr könnt auch mit der letzten
Frage anfangen !
<p>Nähere Infos zum Kinderwald gibt es unter <a href=
"http://www.kinderwald.de/" target="_blank" rel=
"nofollow">www.kinderwald.de</a></p>
<p><br />
A. Am Start findet ihr einige Tiere. Wieviele blau-gelbe Punkte hat
die grüne Eidechse ?</p>
<p>B. Folgt dem Weg in Richtung Norden und biegt hinter der Brücke
gleich links ab. Nach ein paar Metern könnt ihr auf der rechten
Seite mehrere Tipis sehen. Wieviele Tipis zählt ihr ? Schaut genau
hin ! Die Verbindungsgänge zählen nicht dazu.</p>
<p>C. Geht nun nach ein paar Metern links über die Brücke auf die
kleine Insel wo das Wasser gestaut wird. Auf der Insel könnt ihr
beim großen Zelt einen "Marterpfahl" finden, dort seht ihr eine
lachende Blume mit roten Blättern. Wieviele Blätter hat die Blume
?</p>
<p>D. Folgt dem Weg ein Stück. Ihr kommt nach kurzer Zeit zur Villa
Kunterbunt. Wieviele kleine, runde Holzstücke sind aktuell an der
Wand befestigt ?</p>
<p>E. Weiter geht es. Links findet ihr eine weitere (bunte) Brücke.
Dort sind wieviele Kindergesichter zu finden ?</p>
<p>F. Nach ca. 200 Metern kommt ihr zur Seilfähre. An der Seilfähre
findet ihr die Antwort (GC= ?)</p>
<p>G. Nach weiteren 250 Metern gelangt ihr zur Schafherde. Aus
wievielen Mitgliedern besteht die Schafherde ?</p>
<p>Das Final könnt ihr nun nach einem kleinem Spaziergang unter</p>
<p>52° 25.(C-A+1)(B-2)(C-A) / 009° 39.(D-G)(F+1)(E+1) finden.</p>
<p>Kontrolle: Die Quersumme von ABCDEFG beträgt 48.</p>
<p>Über Fotos würde ich mich freuen !</p>
<p>Viel Spaß !</p>
<p>P.S. An warmen Tagen Badesachen und Handtuch mitnehmen.</p></span>
</div>
<p>
</p>
<p>
<strong>
Additional Hints</strong>
(<a id="ctl00_ContentBody_lnkDH" onclick="dht(this);return false;" title="Decrypt" href="#">Encrypt</a>)</p>
<div id="div_hint" class="span-8 WrapFix">
Das Final (unter Steinen) ist mit GC gekennzeichnet.</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 id="ctl00_ContentBody_cacheCodeWidget" class="CacheCodeWidget">
<p>
<a href="#" class="CacheCodeLink">
<span id="ctl00_ContentBody_uxWaypointName" class="GCCode">GC2CJPF</span>
<span class="arrow">▼</span> </a>
</p>
</div>
<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>
<li><a href="/seek/log.aspx?ID=1811409" class="lnk"><img src="/images/stockholm/16x16/comment_add_found.gif" /> <span>Log your visit</span></a></li>
<li><a href="/seek/gallery.aspx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376" class="lnk"><img src="/images/stockholm/16x16/photos.gif" /> <span>View Gallery</span></a></li>
<li><a href="/my/watchlist.aspx?w=1811409" class="lnk"><img src="/images/stockholm/16x16/icon_watchlist.gif" /> <span>Watch Listing</span></a></li>
<li><a href="/bookmarks/ignore.aspx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376&WptTypeID=3" class="lnk"><img src="/images/stockholm/16x16/cross.gif" /> <span>Ignore Listing</span></a></li>
<li><a href="/bookmarks/mark.aspx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376&WptTypeID=3" 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="Hidden">
<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">
22
</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=7c6f0891-7003-4ae5-9231-c2e417d1c5e4">
<img src="/images/stockholm/16x16/check.gif" alt="Found It" title="Found It" />You logged this as Found on Thursday, August 19, 2010.</a></p>
<div id="ctl00_ContentBody_pnlWatchedCount">
<p>
<img src="/images/icons/icon_watchlist.gif" alt="Watching" /> 2 user(s) watching this cache.</p>
</div>
</div>
<p class="TopSpacing">
<a href="#" id="lnkSmallMap">
<img id="mapPreview" src='http://maps.google.com/maps/api/staticmap?zoom=10&size=228x150&markers=icon:http://www.geocaching.com/images/wpttypes/pins/3.png|52.425067,9.6642&sensor=false'
style="border: solid 1px #4D6180;" alt="Map Image" title="Map Image" width="228" height="150" />
</a>
</p>
<div class="CacheDetailNavigationWidget 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/motorcycles-no.gif" alt="no motorcycles" title="no motorcycles" width="30" height="30" /> <img src="/images/attributes/wheelchair-no.gif" alt="not wheelchair accessible" title="not wheelchair accessible" width="30" height="30" /> <img src="/images/attributes/winter-yes.gif" alt="available in winter" title="available in winter" width="30" height="30" /> <img src="/images/attributes/available-yes.gif" alt="available 24-7" title="available 24-7" width="30" height="30" /> <img src="/images/attributes/wading-yes.gif" alt="may require wading" title="may require wading" width="30" height="30" /> <img src="/images/attributes/scenic-yes.gif" alt="scenic view" title="scenic view" width="30" height="30" /> <img src="/images/attributes/onehour-yes.gif" alt="takes less than 1 hour" title="takes less than 1 hour" width="30" height="30" /> <img src="/images/attributes/kids-yes.gif" alt="kid friendly" title="kid friendly" width="30" height="30" /> <img src="/images/attributes/bicycles-yes.gif" alt="bikes allowed" title="bikes allowed" width="30" height="30" /> <img src="/images/attributes/dogs-yes.gif" alt="dogs allowed" title="dogs allowed" 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='456edcec5cb74bdda978033dbd0a251a'" 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=36b3699d-4932-46a0-9f44-08d35fbb8f0a" class="lnk">
<img src="http://www.geocaching.com/images/wpttypes/sm/3222.gif" width="16" /><span>Zwedschga Geocoin</span></a>
</li>
</ul>
<p class="NoBottomSpacing">
<div id="ctl00_ContentBody_uxTravelBugList_uxTrackableItemsLinks">
<a id="ctl00_ContentBody_uxTravelBugList_uxViewAllTrackableItems" href="../track/search.aspx?wid=73246a5a-ebb9-4d4f-8db9-a951036f5376&ccid=1811409">View all Trackables</a>
</div>
<a id="ctl00_ContentBody_uxTravelBugList_uxTrackableItemsHistory" href="../track/search.aspx?wid=73246a5a-ebb9-4d4f-8db9-a951036f5376">View past Trackables</a>
</p>
<p class="NoBottomSpacing">
<a id="ctl00_ContentBody_uxTravelBugList_uxWhatIsATravelBug" title="What is a Travel Bug?" href="../track/faq.aspx">What is a Travel Bug?</a>
</p>
</div>
</div>
</div>
<div class="span-24 last">
<p>
<span id="ctl00_ContentBody_WaypointsInfo" style="font-weight:bold;">Additional Waypoints</span>
<br />
<script type="text/javascript">
<!--
var checkflag = false;
function checkAll(obj) {
if (checkflag == false) {
checkflag = true;
} else {
checkflag = false;
}
var arrInput = document.getElementsByTagName("input");
for (i = 0; i < arrInput.length; i++) {
if (arrInput[i].type == 'checkbox') {
arrInput[i].checked = checkflag;
}
}
}
// End -->
</script>
<table class="Table" id="ctl00_ContentBody_Waypoints">
<thead>
<tr>
<th scope="col" class="AlignCenter">
<a href="javascript:checkAll(this);">
</a>
</th>
<th scope="col">
</th>
<th scope="col">
</th>
<th scope="col">
Prefix
</th>
<th scope="col">
Lookup
</th>
<th scope="col">
Name
</th>
<th scope="col">
Coordinate
</th>
<th scope="col">
</th>
</tr>
</thead>
<tbody>
<tr class="BorderBottom " ishidden="false">
<td class="AlignCenter">
</td>
<td>
<img width="16" height="16" src="/images/icons/icon_nocoords.jpg" alt="no coordinates" />
</td>
<td>
<img src="http://www.geocaching.com/images/wpttypes/sm/flag.jpg" width="16" height="16" alt="Final Location">
</td>
<td>
<span id="awpt_FN">
FN</span>
</td>
<td>
FINAL
</td>
<td>
<a href="http://www.geocaching.com/seek/wpt.aspx?WID=30f1b37c-d395-4c7a-94e2-0c649d5f231b&RefID=73246a5a-ebb9-4d4f-8db9-a951036f5376&RefDS=1">GC2CJPF Final</a> (Final Location)
</td>
<td>
???
</td>
<td>
</td>
</tr>
<tr class="BorderBottom ">
<td>
</td>
<td>
Note:
</td>
<td colspan="6">
</td>
</tr>
<tr class="BorderBottom AlternatingRow" ishidden="false">
<td class="AlignCenter">
</td>
<td>
<img width="16" height="16" src="/images/icons/icon_viewable.jpg" alt="available" />
</td>
<td>
<img src="http://www.geocaching.com/images/wpttypes/sm/pkg.jpg" width="16" height="16" alt="Parking Area">
</td>
<td>
<span id="awpt_PK">
PK</span>
</td>
<td>
PARKNG
</td>
<td>
<a href="http://www.geocaching.com/seek/wpt.aspx?WID=98cb1387-49ce-4f94-9b05-5cb079d332b1&RefID=73246a5a-ebb9-4d4f-8db9-a951036f5376&RefDS=1">GC2CJPF Parking</a> (Parking Area)
</td>
<td>
N 52° 25.384 E 009° 39.023
</td>
<td>
</td>
</tr>
<tr class="BorderBottom AlternatingRow">
<td>
</td>
<td>
Note:
</td>
<td colspan="6">
Kein "offizieller" Parkplatz, Parken trotzdem möglich.
</td>
</tr>
<tr class="BorderBottom " ishidden="false">
<td class="AlignCenter">
</td>
<td>
<img width="16" height="16" src="/images/icons/icon_viewable.jpg" alt="available" />
</td>
<td>
<img src="http://www.geocaching.com/images/wpttypes/sm/puzzle.jpg" width="16" height="16" alt="Question to Answer">
</td>
<td>
<span id="awpt_ST">
ST</span>
</td>
<td>
START
</td>
<td>
<a href="http://www.geocaching.com/seek/wpt.aspx?WID=04113bad-64ca-499a-9848-b5937e13da1b&RefID=73246a5a-ebb9-4d4f-8db9-a951036f5376&RefDS=1">GC2CJPF Start</a> (Question to Answer)
</td>
<td>
N 52° 25.504 E 009° 39.852
</td>
<td>
</td>
</tr>
<tr class="BorderBottom ">
<td>
</td>
<td>
Note:
</td>
<td colspan="6">
</td>
</tr>
<tr class="BorderBottom AlternatingRow" ishidden="false">
<td class="AlignCenter">
</td>
<td>
<img width="16" height="16" src="/images/icons/icon_viewable.jpg" alt="available" />
</td>
<td>
<img src="http://www.geocaching.com/images/wpttypes/sm/waypoint.jpg" width="16" height="16" alt="Reference Point">
</td>
<td>
<span id="awpt_WO">
WO</span>
</td>
<td>
SCENIC
</td>
<td>
<a href="http://www.geocaching.com/seek/wpt.aspx?WID=b28c5879-3181-4510-94fa-6ec5e30fd056&RefID=73246a5a-ebb9-4d4f-8db9-a951036f5376&RefDS=1">Aussichtspunkt</a> (Reference Point)
</td>
<td>
N 52° 25.488 E 009° 39.432
</td>
<td>
</td>
</tr>
<tr class="BorderBottom AlternatingRow">
<td>
</td>
<td>
Note:
</td>
<td colspan="6">
Ehemalige Finallocation wo es gebrannt hat. Gleichzeitig netter Aussichtspunkt.
</td>
</tr>
</tbody> </table>
<p>
<span id="ShowHideLink">|
<a id="ctl00_ContentBody_Waypoints_uxShowHiddenCoordinates" href="../controls/#">Show Hidden Waypoints</a>
<a id="ctl00_ContentBody_Waypoints_uxHideHiddenCoordinates" href="../controls/#">Hide Hidden Waypoints</a></span>
</p>
<script type="text/javascript" language="javascript">
var hiddenLinkCookieName = "hiddenlinks";
jQuery(function () {
var $ = jQuery;
var hiddenLinkCookie = jQuery.cookie(hiddenLinkCookieName);
$('#ctl00_ContentBody_Waypoints_uxShowHiddenCoordinates').click(function (e) {
setHiddenCoordState(true);
return false;
});
$('#ctl00_ContentBody_Waypoints_uxHideHiddenCoordinates').click(function (e) {
setHiddenCoordState(false);
return false;
});
if ($("#ctl00_ContentBody_Waypoints tbody tr[ishidden='true']").length > 0) {
$("#ShowHideLink").show();
} else {
$("#ShowHideLink").hide();
}
if (hiddenLinkCookie == null || hiddenLinkCookie == "false") {
setHiddenCoordState(false);
} else {
setHiddenCoordState(true);
}
});
function setHiddenCoordState(show) {
var $ = jQuery;
if (show) {
$('#ctl00_ContentBody_Waypoints tbody')
.find("tr.AlternatingRow")
.removeClass("AlternatingRow")
.end()
.find("tr")
.show()
.end()
.find("tr:even:visible")
.each(function(i) {
if (i % 2 == 1)
$(this).addClass("AlternatingRow").next().addClass("AlternatingRow");
})
.end();
$("#ctl00_ContentBody_Waypoints_uxShowHiddenCoordinates").hide();
$("#ctl00_ContentBody_Waypoints_uxHideHiddenCoordinates").show();
$.cookie(hiddenLinkCookieName, "true");
} else {
$('#ctl00_ContentBody_Waypoints tbody')
.find("tr.AlternatingRow")
.removeClass("AlternatingRow")
.end()
.find("tr[ishidden='true']").each(function() {
$(this).hide().next().hide();
})
.end()
.find("tr:even:visible")
.each(function(i) {
if (i % 2 == 1)
$(this).addClass("AlternatingRow").next().addClass("AlternatingRow");
})
.end();
$("#ctl00_ContentBody_Waypoints_uxShowHiddenCoordinates").show();
$("#ctl00_ContentBody_Waypoints_uxHideHiddenCoordinates").hide();
$.cookie(hiddenLinkCookieName, "false");
}
return false;
}
</script>
<p>
<div id="uxlrgMap" class="fr">
<div class="CDMapWidget">
<p class="WidgetHeader NoBottomSpacing">
<a id="ctl00_ContentBody_uxViewLargerMap" title="View Larger Map" class="lnk" href="/map/beta/default.aspx?lat=52.425067&lng=9.6642" target="_blank"><img src="/images/silk/map_go.png" /> <span>View Larger Map</span></a>
| <a href="#" id="lnk_slippyMap">View Dynamic Map</a>
</p>
<div style="border: 1px solid #B0B0B0; width: 325px; height: 325px;">
<img id="staticMap" src="/images/blank.gif" style="width: 325px; height: 325px;" />
</div>
<div id="map_canvas" style="width: 325px; height: 325px; display: none;">
</div>
<p class="WidgetFooter">
<a id="ctl00_ContentBody_uxNotesAboutPrinting" href="#mapPrintingNotes">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=Tom03">hidden</a>
or
<a id="ctl00_ContentBody_uxFindLinksFoundByThisUser" href="/seek/nearest.aspx?ul=Tom03">found</a>
by this user
</li>
<li>
...nearby <a id="ctl00_ContentBody_uxFindLinksNearbyCachesOfType" href="/seek/nearest.aspx?tx=a5f6d0ad-d2f2-4011-8c14-940a9ebf3c74&lat=52.425067&lng=9.664200">caches of this type</a>,
<a id="ctl00_ContentBody_uxFindLinksNearbyNotFound" href="/seek/nearest.aspx?tx=a5f6d0ad-d2f2-4011-8c14-940a9ebf3c74&lat=52.425067&lng=9.664200&f=1">that I haven't found</a>
</li>
<li>
...all nearby <a id="ctl00_ContentBody_uxFindLinksAllNearbyCaches" href="/seek/nearest.aspx?lat=52.425067&lng=9.664200">caches</a>,
<a id="ctl00_ContentBody_uxFindLinksAllNearbyNotFound" href="/seek/nearest.aspx?lat=52.425067&lng=9.664200&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.425067&lon=9.664200">waymarks on Waymarking.com</a>
</li>
<li>
...nearby <a id="ctl00_ContentBody_uxFindLinksHotels" href="/reviews/hotels-coords-52.4251,9.6642">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/beta/default.aspx?lat=52.425067&lng=9.6642" target="_blank">Geocaching.com Google Map</a></li><li><a href="http://maps.google.com/maps?q=N+52%c2%b0+25.504+E+009%c2%b0+39.852+(GC2CJPF)+" target="_blank">Google Maps</a></li><li><a href="http://www.mapquest.com/maps/map.adp?searchtype=address&formtype=latlong&latlongtype=decimal&latitude=52.425067&longitude=9.6642&zoom=10" target="_blank">MapQuest</a></li><li><a href="http://maps.yahoo.com/maps_result?lat=52.425067&lon=9.6642" target="_blank">Yahoo Maps</a></li><li><a href="http://www.bing.com/maps/default.aspx?v=2&sp=point.52.425067_9.6642_GC2CJPF" target="_blank">Bing Maps</a></li><li><a href="http://www.opencyclemap.org/?zoom=12&lat=52.425067&lon=9.6642" target="_blank">Open Cycle Maps</a></li><li><a href="http://www.openstreetmap.org/?mlat=52.425067&mlon=9.6642&zoom=12" target="_blank">Open Street Maps</a></li></span>
</ul>
</span>
<p class="NoPrint">
<span id="ctl00_ContentBody_Images"></span>
</p>
<h3 class="clear">
66 Logged Visits · <a id="ctl00_ContentBody_uxGalleryImagesLink" DisplayFormatPlural="View the Image Gallery of {0:#,###} images" DisplayFormatSingular="View the Image Gallery" href="gallery.aspx?guid=73246a5a-ebb9-4d4f-8db9-a951036f5376">View the Image Gallery of 12 images</a>
</h3>
<div class="InformationWidget">
<span id="ctl00_ContentBody_lblFindCounts"><p class="LogTotals"><img src="/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> 52 <img src="/images/icons/icon_note.gif" alt="Write note" title="Write note" /> 5 <img src="/images/icons/icon_disabled.gif" alt="Temporarily Disable Listing" title="Temporarily Disable Listing" /> 2 <img src="/images/icons/icon_enabled.gif" alt="Enable Listing" title="Enable Listing" /> 2 <img src="/images/icons/icon_greenlight.gif" alt="Publish Listing" title="Publish Listing" /> 1 <img src="/images/icons/icon_needsmaint.gif" alt="Needs Maintenance" title="Needs Maintenance" /> 2 <img src="/images/icons/icon_maint.gif" alt="Owner Maintenance" title="Owner Maintenance" /> 2 </p></span>
<p class='NoBottomSpacing'>
<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>
<table class="LogsTable"><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=6723adb7-2aff-4d9b-836b-87df888a61d0" id="181250482">L8aube</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=6723adb7-2aff-4d9b-836b-87df888a61d0"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 5</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">08/21/2011</span></div><div class="Clear LogContent"><p class="LogText">hab ihn mit der familie und freundin gefunden...<br/>war echt toll...habe sogar einen kleinen tauchgang von der seilfähre runter gemacht <img src="/images/icons/icon_smile_big.gif" border="0" align="middle" ></img> <br/>DFDC !!!</p><table class="LogImagesTable" cellpadding="3" cellspacing="0"><tr><td><a href="http://img.geocaching.com/cache/log/9ac96f8f-6e63-4087-be94-48a96ffaba67.jpg" rel="tb_images[grp181250482]" title="<span class="LogImgTitle">seilfähre </span><span class="LogImgLink"><a href="log.aspx?IID=9ac96f8f-6e63-4087-be94-48a96ffaba67&LID=181250482">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/9ac96f8f-6e63-4087-be94-48a96ffaba67.jpg');">Print Picture</a></span><br /><p class="LogImgDescription">kurz vorm tauchgang xD</p>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>seilfähre </span></a><br /></td></tr></table><div class="AlignRight"><small><a href="log.aspx?LUID=1b1a53e3-50df-4881-8700-1e9bbec50635" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=66de7735-1888-479b-8dbd-ada710747374" id="181220910">Sir5al</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=66de7735-1888-479b-8dbd-ada710747374"><img src="http://img.geocaching.com/user/avatar/9da1d6ed-3a3f-47cb-aba3-f5550abe7d11.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 350</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">08/21/2011</span></div><div class="Clear LogContent"><p class="LogText">den haben miss4tune und ich im team mit l8aube und gastcacher auf schöner kleiner vormittagsrunde gefunden und geloggt ;-)<br/><br/>dfdc</p><table class="LogImagesTable" cellpadding="3" cellspacing="0"><tr><td><a href="http://img.geocaching.com/cache/log/bfda9eb7-a4ae-4b59-b4d3-7deb3e08cd79.jpg" rel="tb_images[grp181220910]" title="<span class="LogImgTitle">Upside Down </span><span class="LogImgLink"><a href="log.aspx?IID=bfda9eb7-a4ae-4b59-b4d3-7deb3e08cd79&LID=181220910">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/bfda9eb7-a4ae-4b59-b4d3-7deb3e08cd79.jpg');">Print Picture</a></span><br /><p class="LogImgDescription">kein Spoiler ;-)</p>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>Upside Down</span></a><br /></td></tr></table><div class="AlignRight"><small><a href="log.aspx?LUID=4b88db68-a5e8-4b37-9d5a-8cc406611457" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="177793540">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_maint.gif" alt="Owner Maintenance" title="Owner Maintenance" /> Owner Maintenance</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">08/06/2011</span></div><div class="Clear LogContent"><p class="LogText">So, das Final ist jetzt besser versteckt ! Keine Brennesseln mehr... Die Quersumme stimmt jetzt auch, danke für den Hinweis. Das Original-Logbuch ist jetzt auch wieder in der Dose.... Und um den Spaß-Faktor zu erhöhen habe ich Station F. überarbeitet, hehehe.</p><div class="AlignRight"><small><a href="log.aspx?LUID=20b859cf-216f-48c2-a0b7-d63caadb8086" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=2cb6a31e-1da7-4b90-b844-962c5b76023f" id="175386549">Sopranette</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=2cb6a31e-1da7-4b90-b844-962c5b76023f"><img src="http://img.geocaching.com/user/avatar/bd85f298-3276-4d19-a5f2-0cb8187a075c.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 1,080</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">07/26/2011</span></div><div class="Clear LogContent"><p class="LogText">Kurzer Fahrradausflug mit Opa und den Kids (Schlenzer2000 und Sopranettchen). Wir haben gezählt, sind ins Wasser gefallen, haben uns nicht beirren lassen und am Final gesucht - nix. Tourdaten nochmal abgefahren, nachgerechnet - stimmt alles. Suchradius ausgeweitet und dann tatsächlich fündig geworden. Leider dem Regenguss nicht entkommen.<br/>DFDC, Sopranette<br/>#1008</p><div class="AlignRight"><small><a href="log.aspx?LUID=673321ec-75e9-4b1f-89d3-1c568f2f1352" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=54b15127-29a6-4749-9a56-5a782a90954d" id="173168272">euroberlin</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=54b15127-29a6-4749-9a56-5a782a90954d"><img src="http://img.geocaching.com/user/avatar/d1ea7c15-cd92-417b-a33e-a6ba286ad04f.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 337</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_needsmaint.gif" alt="Needs Maintenance" title="Needs Maintenance" /> Needs Maintenance</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">07/16/2011</span></div><div class="Clear LogContent"><p class="LogText">Ja, stimmt...hatte ich in meinem Log vergessen zu notieren. Ich fand auch nur einen Notizzettel mit diversen Einträgen. Kein Logbuch vorhanden. Wäre schön, wenn das nachgeholt werdenkönnte bzw. ein möglicherweise abhanden gekommenes ersetzt würde.<br/><br/>MfG</p><div class="AlignRight"><small><a href="log.aspx?LUID=a3ec8dfc-fee3-4ea7-939d-147558f68c14" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=6062f301-7690-4f38-9772-4f94de5e5f56" id="173093539">LFW-Schnüffler</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=6062f301-7690-4f38-9772-4f94de5e5f56"><img src="http://img.geocaching.com/user/avatar/84f540c8-61a8-4630-90cb-5015830cb397.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 242</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">07/16/2011</span></div><div class="Clear LogContent"><p class="LogText">Heute wollten wir mal Oma zeigen, was Geocachen ist... Dafür bot sich dieser Kindercache an und wir zogen los, diesen großen Spielplatz unsicher zu machen. Alles lief wie am Schnürchen - bis zum Finale. Die Quersumme stimmte, die Final-KO`s waren eingegeben, doch wo war die Dose??? Es brauchte einige Zeit bis diese ausgemacht war und einige Überwindung sich mit kurzen Hosen durch die Brennessel zu schlagen. Die Dose passte dann irgendwie nicht zu diesem wirklich schönen Cache. Für einen Kindercache war die Dose recht klein und ein richtiges Log-Buch war nicht vorhanden. Schade eigentlich. Daher kleine Abzüge in der B-Note. Trotzdem kommt Oma bestimmt nochmal mit ;-) ......<br/><br/>Die LFW-Schnüffler</p><div class="AlignRight"><small><a href="log.aspx?LUID=c3858175-ba9d-47b2-a7f7-03bd22f510ff" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=54b15127-29a6-4749-9a56-5a782a90954d" id="173063969">euroberlin</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=54b15127-29a6-4749-9a56-5a782a90954d"><img src="http://img.geocaching.com/user/avatar/d1ea7c15-cd92-417b-a33e-a6ba286ad04f.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 337</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">07/16/2011</span></div><div class="Clear LogContent"><p class="LogText">Mhh Wochenende, gutes Wetter und Ferien...ja, das sind ja gleich drei Dinge auf einmal..das geht nun wirklich nicht - doch! geht wohl! Diesen wollte ich heute abgehen und bemerkte doch sogleich, dass sich eine Familie (Vater, Mutter, zwei Kinder) auffällig unauffällig in bester Geocacher Weise durch den Kinderwald bewegten. Ich tat dies in gebührendem Abstand ebenfalls und so unauffällig, dass die hier überall "herumstreunenden" Kinder nichts mitbekamen :) Am Final musste ich mit meinem zweirädrigen Cachemobil zunächst unauffällig weiterfahren, da besagte "Konkurrenz" wie wild in der Botanik am Suchen war :) ca. 20 Minuten später erfolgte ein erneutes Heranpirschen meinerseits, doch die Konkurrenz war noch nicht so weit - ich konnte aber schon das Eintragen ins Logbuch beobachten. Spätestens jetzt wusste ich, dass die errechneten KO´s stimmig sind (auch wenn meine Quersumme 48 ergibt!). Nach einer weiteren kurzen Wartezeit konnte ich das kleine Döschen dann auch endlich suchen. Und es war dank einer recht eindeutigen "Cacherautobahn" auch ganz fix gefunden. Ich habe die Tarnung ein bisschen verstärkt. Ein sehr angenehmer Multicache, der mir jedoch an der "Villa Kunterbunt"-Station ein bisschen Sorgen machte. Ich brauchte hier doch glatt drei Anläufe um besagte Villa als solche zu identifizieren. Ob der Name so passend ist...ich weiß nicht. Die Villa trägt ja noch einen anderen weit hin sichtbaren Namen, der ist viel passender und auch der Grund, warum ich die Villa nicht sofort erkannt habe :-)<br/><br/>Vielen Dank für den Cache... endlich mal wieder einer hier... nachdem der NC, der hier mal lag, von mir leider nicht beendet werden konnte.<br/><br/>Viele Grüße!</p><div class="AlignRight"><small><a href="log.aspx?LUID=2ac5515f-da8a-4e4f-9797-f682cf119f7a" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=88965e17-b4d4-4c28-9359-170b72e8c9c8" id="168242205">Sunrise79</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=88965e17-b4d4-4c28-9359-170b72e8c9c8"><img src="http://img.geocaching.com/user/avatar/4d9018e7-66d9-4eed-a0b4-a9050242fcb2.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 392</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">06/22/2011</span></div><div class="Clear LogContent"><p class="LogText">Wunderbar, ein echter Kindermulti, Kinder, sowie Erwachsene hatten viel Spaß auf dieser Runde! Schöne und gut erreichbare ZS, auch die Dose war gut für die Kinder zu finden und die Freude war groß;-) ein Erfolgserlebnis! DfdC </p><div class="AlignRight"><small><a href="log.aspx?LUID=e675ecb7-4527-444c-a20b-99ed331bff79" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=a81c7e22-508a-4089-9a79-bc1fae83f773" id="168209731">-Snuffler-</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=a81c7e22-508a-4089-9a79-bc1fae83f773"><img src="http://img.geocaching.com/user/avatar/da7cd3a0-6ad0-4922-b9b1-93e14b51ab30.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 386</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">06/22/2011</span></div><div class="Clear LogContent"><p class="LogText">Wir hatten eine kleine Nachwuchscacherin in unserer Runde und mussten von Multi's und Mystery's etwas Abstand nehmen. So wurde dieser Cache angegangen und enttäuschte uns überhaupt nicht! Schön, wenn das Kind im Manne mal wieder zum Vorschein kommen kann! Die Seilfähre war der Favorit, inkl. trockener Füße! Nur ein kleiner Tip. Die Quersumme unserer Ergebnisse lag deutlich über der Kontroll-QS?! Aber es funktionierte dennoch wunderbar, das Döschen wurde gefunden und fleißig getauscht. Out: Sanduhr & Medaille In: 2x Bären. Im MiniCacherMobil auf MaxiCacherTour gemeinsam mit Sunrise79 geloggt. DfdC! -Snuffler-<br/><br/>This entry was edited by -Snuffler- on Thursday, 21 July 2011 at 11:55:01 UTC.</p><div class="AlignRight"><small><a href="log.aspx?LUID=1ed32133-4ce1-4b9c-a7c4-ed656959921b" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=841444ef-9621-4b65-a7be-699605c44920" id="166744495">GrünSchnecke</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=841444ef-9621-4b65-a7be-699605c44920"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 4</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">06/13/2011</span></div><div class="Clear LogContent"><p class="LogText">GEOcaching macht zum zweiten mal Spaß. Die Villerkunterbunt, die Schafe, die Tipis und der Marternpfahl zu entdecken hat Spaß gemacht. Habe getauscht - Armband gegen Anti-AKW-Button</p><div class="AlignRight"><small><a href="log.aspx?LUID=337ecc8b-74e3-4157-b2d9-cd2c9da8cb47" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=b6e3a6fe-eab7-42aa-adde-be9a6e1023f8" id="166644437">5Sachensucher</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=b6e3a6fe-eab7-42aa-adde-be9a6e1023f8"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 651</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">06/13/2011</span></div><div class="Clear LogContent"><p class="LogText">Heute bin ich mit dem kleinen Sachensucher bei schönstem Wetter eine Runde durch den Kinderwald geradelt. Ein echter Kindercache. Nur am Finale haben wir uns etwas schwer getan, sind dann aber doch noch fündig geworden. DFDC</p><div class="AlignRight"><small><a href="log.aspx?LUID=4ce0648d-e0e3-42fd-baef-b53fa794675b" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=49ea2d3e-a64b-44e5-8c4e-445248aac515" id="162474027">ATAMO</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=49ea2d3e-a64b-44e5-8c4e-445248aac515"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 46</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/23/2011</span></div><div class="Clear LogContent"><p class="LogText">Auf einer Fahrradtour hatte unser Sohn viel Spaß und hat den Cache alleine gefunden. Auch wenn wir regelmäßig hier sind, hat es mit Cache noch mehr Spaß gemacht. Danke!</p><div class="AlignRight"><small><a href="log.aspx?LUID=b13e9f14-07e6-4aef-bb1b-6218d5e3a0d7" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=5c9ebb53-ffea-42e2-a43e-1559cedb99dd" id="161898867">svzi</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=5c9ebb53-ffea-42e2-a43e-1559cedb99dd"><img src="http://img.geocaching.com/user/avatar/f819b6b7-442d-4c85-8ee5-1c7a185a4381.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 355</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/21/2011</span></div><div class="Clear LogContent"><p class="LogText">Diesen heute zusammen mit Sohnemann gefunden! Toller Spielplatz, Danke fürs Zeigen! :-)</p><div class="AlignRight"><small><a href="log.aspx?LUID=c3fa0a46-ff77-4070-9aa0-ad8b963d2a58" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=c077733c-9fe4-4916-a466-ea53b0b3b20e" id="160982748">Becks1007</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=c077733c-9fe4-4916-a466-ea53b0b3b20e"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 143</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/15/2011</span></div><div class="Clear LogContent"><p class="LogText">Auf Sonntags-Fahrradtour hier vorbeigekommen und den tollen Spielplatz bewundert :-D Klasse Sache, DFDC!</p><div class="AlignRight"><small><a href="log.aspx?LUID=f6112f9c-bbce-4961-a1d9-7009a4cbd303" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=a2817ae8-d49d-4956-bf14-d8fee278033d" id="159627104">tanima04</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=a2817ae8-d49d-4956-bf14-d8fee278033d"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 505</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/08/2011</span></div><div class="Clear LogContent"><p class="LogText">Bei wunderschönem Sommerwetter hatten klein und GROSS Spaß bei der Suche. TFTC</p><table class="LogImagesTable" cellpadding="3" cellspacing="0"><tr><td><a href="http://img.geocaching.com/cache/log/9da7a5ae-9a4c-400e-ae82-b6bf19b538ad.jpg" rel="tb_images[grp159627104]" title="<span class="LogImgTitle">Foto0164 </span><span class="LogImgLink"><a href="log.aspx?IID=9da7a5ae-9a4c-400e-ae82-b6bf19b538ad&LID=159627104">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/9da7a5ae-9a4c-400e-ae82-b6bf19b538ad.jpg');">Print Picture</a></span>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>Foto0164</span></a><br /></td></tr></table><div class="AlignRight"><small><a href="log.aspx?LUID=62d1d904-073e-49e3-b2e3-f79e88e1afed" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="158751500">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_note.gif" alt="Write note" title="Write note" /> Write note</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/02/2011</span></div><div class="Clear LogContent"><p class="LogText">Ups, ganz vergessen. Das Logbuch habe ich zum Trocknen nach Hause mitgenommen, temporär ist nur ein kleiner Zettel drin.</p><div class="AlignRight"><small><a href="log.aspx?LUID=d32af176-91cb-4aa9-afd8-16d404544770" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=11d14784-9f00-4f84-8e16-2e800720392f" id="158749311">Satinav</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=11d14784-9f00-4f84-8e16-2e800720392f"><img src="http://img.geocaching.com/user/avatar/f63228e7-4039-45db-b084-3d2d701c6521.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 810</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">05/02/2011</span></div><div class="Clear LogContent"><p class="LogText">Die Runde hat mir gut gefallen. Allerdings war nur ein kleiner Zettel als Logbuch drin.<br/>Danke für den Cache.<br/>Gruß Satinav<br/>in: 2TB</p><div class="AlignRight"><small><a href="log.aspx?LUID=8fc65b53-72af-40e7-8665-30de494ac9f1" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9b871b2a-3b58-46a6-8b47-e26769906afc" id="157993943">Tijer</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9b871b2a-3b58-46a6-8b47-e26769906afc"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 2</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/29/2011</span></div><div class="Clear LogContent"><p class="LogText">Es hat uns sehr viel Spass gemacht, in der schönen Gegend einen Cache zu suchen.<br/>DFDC<br/><br/>Tijer</p><div class="AlignRight"><small><a href="log.aspx?LUID=bb8427ed-17c1-4c84-9f5e-9afbd0d66f0e" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=83edcb9f-551c-44ef-b2c3-c68cc6d383e1" id="155936974">diebärenbande</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=83edcb9f-551c-44ef-b2c3-c68cc6d383e1"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 32</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/21/2011</span></div><div class="Clear LogContent"><p class="LogText">DAS hat richtig Spass gemacht! Unsere Kinder waren begeistert! Vielen vielen Dank!!! <img src="/images/icons/icon_smile.gif" border="0" align="middle" ></img></p><div class="AlignRight"><small><a href="log.aspx?LUID=cd66a920-2796-4c95-adc3-6f39a9d0031a" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9e468b04-e50d-42f7-9f24-08a547e80a69" id="153865995">razorback09</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9e468b04-e50d-42f7-9f24-08a547e80a69"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 182</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/10/2011</span></div><div class="Clear LogContent"><p class="LogText">Hier haben wir uns heute auf die Spuren unserer Kindheit begeben - zumindest ein Teil von uns hat hier früher viel freie Zeit verbacht, und wenn man sich das Gelände so ansieht, dann würde man wirklich gerne nochmal Kind sein :)<br/>Der Cache war sehr schön gemacht. Das Ende hat uns allerdings etwas verwirrt. Nachdem wir aber die verschmorrte Dose ohne Logbuch in den Händen hielten, haben wir nocheinmal genauer die Beschreibung gelesen und unsere errechneten Koordinaten herangezogen. Die richtige Dose war dann auch sehr schnell gefunden. !! Leider lag die Dose im Wasser und das Logbuch ist völlig durchnässt!!<br/>Ein toller Cache und ein sehr schönes Gelände!</p><div class="AlignRight"><small><a href="log.aspx?LUID=94bd55c7-bd76-4f6c-abcf-32a98f754023" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=a01a9429-ceb7-4def-b18e-0739172b126a" id="153232717">Raffizack</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=a01a9429-ceb7-4def-b18e-0739172b126a"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 1,525</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/07/2011</span></div><div class="Clear LogContent"><p class="LogText">13:55 # 1421<br/><br/>Wenn der Verkehrslärm hier nicht wäre, dann wäre das ja ein richtig toller Spielplatz.<br/>Schönes Gelände, schöner Cache <img src="/images/icons/icon_smile.gif" border="0" align="middle" ></img><br/><br/>Nichts getauscht<br/><br/>Vielen Dank&Grüße<br/><br/>Raffizack</p><div class="AlignRight"><small><a href="log.aspx?LUID=96f7d2c8-bfe0-4be6-a614-e50fd88e447f" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="153015696">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_maint.gif" alt="Owner Maintenance" title="Owner Maintenance" /> Owner Maintenance</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/05/2011</span></div><div class="Clear LogContent"><p class="LogText">Maitenance durchgeführt.</p><div class="AlignRight"><small><a href="log.aspx?LUID=dc70f2f7-8c90-45ef-ad26-b0fa46c28aef" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="153015296">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_enabled.gif" alt="Enable Listing" title="Enable Listing" /> Enable Listing</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">04/05/2011</span></div><div class="Clear LogContent"><p class="LogText">So, weiter gehts. Achtung: neue Formel da sich die Final Location geändert hat. Die Werte an sich sind gleich geblieben.</p><div class="AlignRight"><small><a href="log.aspx?LUID=f3ec9c98-4415-43f8-8105-ca9896943284" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="148133304">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_disabled.gif" alt="Temporarily Disable Listing" title="Temporarily Disable Listing" /> Temporarily Disable Listing</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">03/08/2011</span></div><div class="Clear LogContent"><p class="LogText">Final Gegend abgebrannt, Dose angeschmorrt. Suche am Wochenende eine neue Location.<br/><br/>Vielen Dank an den busseclan für die Fotos und die Infos !<br/><br/>This entry was edited by Tom03 on Tuesday, 08 March 2011 at 10:05:57.</p><table class="LogImagesTable" cellpadding="3" cellspacing="0"><tr><td><a href="http://img.geocaching.com/cache/log/b21d3680-6842-4b46-bd14-d98efc948c3c.jpg" rel="tb_images[grp148133304]" title="<span class="LogImgTitle">tn_P3060088 </span><span class="LogImgLink"><a href="log.aspx?IID=b21d3680-6842-4b46-bd14-d98efc948c3c&LID=148133304">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/b21d3680-6842-4b46-bd14-d98efc948c3c.jpg');">Print Picture</a></span><br /><p class="LogImgDescription">Die Final Gegend.</p>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>tn_P3060088</span></a><br /><a href="http://img.geocaching.com/cache/log/69abd968-31eb-4717-b3cd-c80d7264c18e.jpg" rel="tb_images[grp148133304]" title="<span class="LogImgTitle">tn_P3060089 </span><span class="LogImgLink"><a href="log.aspx?IID=69abd968-31eb-4717-b3cd-c80d7264c18e&LID=148133304">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/69abd968-31eb-4717-b3cd-c80d7264c18e.jpg');">Print Picture</a></span><br /><p class="LogImgDescription">Die angeschmorrte Dose.</p>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>tn_P3060089</span></a><br /></td></tr></table><div class="AlignRight"><small><a href="log.aspx?LUID=bd30781f-3f0e-403e-97b4-6d22b9c3c2b0" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=b15ae343-cfff-4dd2-99d8-4e02b22db507" id="148089564">sunny-family</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=b15ae343-cfff-4dd2-99d8-4e02b22db507"><img src="http://img.geocaching.com/user/avatar/9237b3cb-6f6f-4847-812c-761f0e980d67.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 185 · <img src="/images/challenges/types/sm/challenge.png" align="absmiddle" /> 2</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">03/08/2011</span></div><div class="Clear LogContent"><p class="LogText">Was für ein trauriger Abschluss für diesen Cache! Vor einigen Wochen sind wir hier im tiefsten Eis und Schnee stecken geblieben, die Kiddies haben sich geweigert auch nur einen weiteren Schritt zu tun. Dann waren wir diejenigen die feststellen mussten, dass die ZS "Villa Kunterbunt" nicht mehr funktionierte... dieses Mal blieben wir im dichten Brombeergestrüpp stecken. Dank der Nachhilfe vom Owner das nächste Mal mit den richtigen KOs hier, verbarg sich der Cache irgendwo im Unterholz und wir zogen wieder unverrichteter Dinge ab. Nun hat ihn die "Brandrodung" offenbart.... Hier sieht es wüst aus...<img src="/images/icons/icon_smile_sad.gif" border="0" align="middle" ></img> Da die Dose "verschweißt" ist, Log via Foto...</p><table class="LogImagesTable" cellpadding="3" cellspacing="0"><tr><td><a href="http://img.geocaching.com/cache/log/7de9a88b-580a-4474-a681-aab1f78305ab.jpg" rel="tb_images[grp148089564]" title="<span class="LogImgTitle">Den Brand überlebt </span><span class="LogImgLink"><a href="log.aspx?IID=7de9a88b-580a-4474-a681-aab1f78305ab&LID=148089564">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/7de9a88b-580a-4474-a681-aab1f78305ab.jpg');">Print Picture</a></span>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>Den Brand überlebt</span></a><br /><a href="http://img.geocaching.com/cache/log/65c96e7a-1ad2-4ce1-b950-b1817a58bd2d.jpg" rel="tb_images[grp148089564]" title="<span class="LogImgTitle">Das Ende einer Dose </span><span class="LogImgLink"><a href="log.aspx?IID=65c96e7a-1ad2-4ce1-b950-b1817a58bd2d&LID=148089564">View Log</a> <a href="javascript:pp('http://img.geocaching.com/cache/log/65c96e7a-1ad2-4ce1-b950-b1817a58bd2d.jpg');">Print Picture</a></span>" class="tb_images lnk"><img src="/images/silk/photo.png" alt="Photo" title="Photo" /> <span>Das Ende einer Dose</span></a><br /></td></tr></table><div class="AlignRight"><small><a href="log.aspx?LUID=d3420720-7789-4f91-99dd-d811d32a677e" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=d2426a2d-946b-42b0-b593-58c571810f70" id="147739963">busseclan</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=d2426a2d-946b-42b0-b593-58c571810f70"><img src="http://img.geocaching.com/user/avatar/c1e9297e-1776-4b90-98ac-340511a1c3be.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 244</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_needsmaint.gif" alt="Needs Maintenance" title="Needs Maintenance" /> Needs Maintenance</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">03/06/2011</span></div><div class="Clear LogContent"><p class="LogText">siehe unten</p><div class="AlignRight"><small><a href="log.aspx?LUID=cbc9e7f3-4b6e-40f3-9bd7-32b22117d2e9" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=d2426a2d-946b-42b0-b593-58c571810f70" id="147732588">busseclan</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=d2426a2d-946b-42b0-b593-58c571810f70"><img src="http://img.geocaching.com/user/avatar/c1e9297e-1776-4b90-98ac-340511a1c3be.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 244</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">03/06/2011</span></div><div class="Clear LogContent"><p class="LogText">achtung hier hat es gebrannt!!<br/>dies war eigentlich unser erster chache. wir waren hier vor einem halben jahr schon mal als gäste, ohne eigenes gerät und ohne account.<br/>wegen diesem cache haben wir mit dem hobby angefangen.<br/>nun wollten wir uns heute bei diesem super multi auch endlich mal eintragen.<br/>vor ort trafen wir dann auf polizei und feuerwehr. genau am final ist ein tennisfeld großer bereich abgebrannt.<br/>als die einsatzkräfte weg waren haben wir nach der dose geschaut. sie ist zusammengeschmolzen, der inhalt sah aber von aussen noch "ganz gut" aus.<br/>wir haben die dose an dem busch gelassen wo sie war, aber mit steinen zugedeckt damit sie nich sofort entdeckt wird.<br/>das ganze ist jetzt ne halbe stunde her.<br/><br/>foto via email an den owner</p><div class="AlignRight"><small><a href="log.aspx?LUID=8e5b3d47-7efa-49f8-a844-388a412bd1ed" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=ac4a8bd4-905b-4d8f-a5cf-fdc07ef42421" id="146753479">DieLangschläfer</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=ac4a8bd4-905b-4d8f-a5cf-fdc07ef42421"><img src="http://img.geocaching.com/user/avatar/705becbf-0655-4495-b6b7-7e977a1e9f5b.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 480</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">02/27/2011</span></div><div class="Clear LogContent"><p class="LogText">Ein wirklich schön gemachter Kindercache, der der ganzen Familie Langschläfer viel Spaß gemacht hat. Wir sind recht spontan aufgebrochen, obwohl das Listing disabled war. Nachdem wir das Glück hatten, unterwegs Owners Papa auf Kontrolltour zu anzutreffen, wurde uns auch schnell klar, warum das Listing disabled war - wir sind nichts-ahnend glatt an einer Station vorbeigelaufen, da sie winterlich abgebaut war. Egal! Dank freundlicher Unterstützung konnten wir die Final-KOs dann doch ausrechnen. Ein TJ ist immer Gold wert :-)<br/><br/>Nur mit der Checksumme gab es eine Unstimmigkeit. Hier sollte es besser heißen: "Die Quersumme aller einzelnen Quersummen..."<br/><br/>Danke für den schön gemachten Familiennachmittag sagen<br/><br/>DieLangschläfer<br/><br/>PS: für diesen gibt's nen Favoritenpunkt...</p><div class="AlignRight"><small><a href="log.aspx?LUID=6fea18a7-064f-4ecb-ab18-bf3e241d9062" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="146751981">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_enabled.gif" alt="Enable Listing" title="Enable Listing" /> Enable Listing</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">02/27/2011</span></div><div class="Clear LogContent"><p class="LogText">Cache heute kontrolliert, Listing aktualisiert und dabei eine nette Cacher-Familie getroffen.</p><div class="AlignRight"><small><a href="log.aspx?LUID=a231a5a5-a6a2-47fe-8ed0-cc24e39c13b8" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="141741024">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_disabled.gif" alt="Temporarily Disable Listing" title="Temporarily Disable Listing" /> Temporarily Disable Listing</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">01/17/2011</span></div><div class="Clear LogContent"><p class="LogText">Anscheinend gab es bei der Villa Kunterbunt eine Änderung, dass muss ich mir mal anschauen. Für das richtige Ergebnis den Hint beachten.</p><div class="AlignRight"><small><a href="log.aspx?LUID=935015de-d97f-4cca-96a7-a07f88425ba1" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723" id="140025134">Tom03</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=9a28b2fb-bce9-481f-87bc-7c5f4bafe723"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 120</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_note.gif" alt="Write note" title="Write note" /> Write note</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">01/02/2011</span></div><div class="Clear LogContent"><p class="LogText">Kurze Final-Kontrolle heute - alles i.O.</p><div class="AlignRight"><small><a href="log.aspx?LUID=27f520cd-8703-4a2e-80cc-7a9dd25cb14c" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=076ed979-b0b6-408e-8f0a-a941a7b22bc3" id="133907391">TheCookies</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=076ed979-b0b6-408e-8f0a-a941a7b22bc3"><img src="http://img.geocaching.com/user/avatar/a73b504a-f083-4278-ba1d-5ee8f5d23c5d.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 472</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">10/31/2010</span></div><div class="Clear LogContent"><p class="LogText">Schöne Runde, die wir heute mit einer Neu-Cacher Familie machen durften. Leider ist die ZS mit dem Seil z.Zt. nicht aktiv, so dass uns da schon mal eine Zahl fehlte.<br/>Zum Glück trafen wir aber noch Krisenkai, der dieses Problem dank Quersumme gut gemeistert hatte und bereits den Final gefunden hatte.<br/>Dank ihm und dem Hinweis war es dann auch nicht mehr so schwer, das Final zu finden.<br/><br/>In: Zahreiche Figuren<br/>Out: Figur,Portemonnaie,Halsband<br/><br/>TFTC TheCookies</p><div class="AlignRight"><small><a href="log.aspx?LUID=25f485a5-83fa-4356-9a45-94c634e19bc6" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=6fe86b75-e464-456a-82f7-dc84e3ebab77" id="133875300">krisenkai</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=6fe86b75-e464-456a-82f7-dc84e3ebab77"><img src="http://img.geocaching.com/user/avatar/08ee978d-4199-4f23-8ad8-73daaa7c58a2.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 1,397</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">10/31/2010</span></div><div class="Clear LogContent"><p class="LogText">Heute sind wir hier im Kinderwald mal wieder unterwegs gewesen und haben schön frische Luft geschnappt.<br/>Danke für diesen Ausflug zu Fuß<br/><br/>krisenkai</p><div class="AlignRight"><small><a href="log.aspx?LUID=9777fcb5-74b3-4bad-aa08-5cb00f375805" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="AlternatingRow"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=aa85f069-fc8b-4271-bc5f-a7a2e9f7d180" id="160850564">passi9999</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/reg_user.gif' title='Member' /> Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=aa85f069-fc8b-4271-bc5f-a7a2e9f7d180"><img src="/images/default_avatar.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 133</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">10/15/2010</span></div><div class="Clear LogContent"><p class="LogText">schöner cach für kinder mit dem fahrrad echt gut danke</p><div class="AlignRight"><small><a href="log.aspx?LUID=246b7c58-0d33-4735-9592-3e99ca9a08d3" title="View Log">View Log</a></small> </div></div></div></td></tr><tr><td class="Nothing"><div class="FloatLeft LogDisplayLeft"><p class="logOwnerProfileName"><strong><a href="/profile/?guid=ec7c2430-4552-48d2-85f0-f031b8221c6a" id="130112379">cookiemonsterfamily</a></strong></p><p class="logOwnerBadge"><img src='/images/icons/prem_user.gif' title='Premium Member' /> Premium Member</p><p class="logOwnerAvatar"><a href="/profile/?guid=ec7c2430-4552-48d2-85f0-f031b8221c6a"><img src="http://img.geocaching.com/user/avatar/cd6d81b1-6388-4b36-9417-5cf6644a7654.jpg" height='48' width='48' /></a></p><p class="logOwnerStats"><img src="/images/icons/icon_smile.png" align="absmiddle" /> 1,885</div><div class="FloatLeft LogDisplayRight"><div class="HalfLeft LogType"><strong><img src="http://www.geocaching.com/images/icons/icon_smile.gif" alt="Found it" title="Found it" /> Found it</strong></div><div class="HalfRight AlignRight"><span class="minorDetails LogDate">10/07/2010</span></div><div class="Clear LogContent"><p class="LogText">Schööööönnn. Aber könnte mal jemand die Dingsens nachzählen ;-))) Haben uns ganz schön verwirrt. Dank kleinem Nachzählunterricht vom owner heute dann die Runde beendet und das Final bei Sonnenuntergang genossen!!<br/>Hier waren wir vor ein paar Jahren schon mal, da waren die Kinder klein und ich hatte Angst, dass sie mir alle ins Wasser fallen... diesmal war ich mit einem hier, es war deutlich größer als damals und ist wirklich ins Wasser gefallen. Hat aber trotzdem großen Spaß gemacht. War ja schönes Wetter. Schönes Fleckchen Erde hier...Ausgleich für das drumherum.<br/>TFTC und Grüße an die netten owner!<br/>In: TB</p><div class="AlignRight"><small><a href="log.aspx?LUID=8f659e96-4ab1-4d49-a8aa-b527c57e46e2" title="View Log">View Log</a></small> </div></div></div></td></tr></table>
<p>
</p>
<p>
<small>
Current Time: <time datetime="2011-08-30T11:16:32Z">8/30/2011 11:16:32 AM Pacific Daylight Time (6:16 PM GMT)</time><br/>Last Updated: <time class="timeago" datetime="2011-08-21T14:53:47Z">2011-08-21T14:53:47Z</time> on 8/21/2011 7:53:47 AM Pacific Daylight Time (2:53 PM GMT) <br/>Rendered From:Database<br />Coordinates are in the WGS84 datum
</small>
</p>
<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>
</div>
<script type="text/javascript">
<!--
var dh, lat, lng, guid;
dh = 'true';
lat=52.425067; lng=9.6642; guid='73246a5a-ebb9-4d4f-8db9-a951036f5376';
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;
$("#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: "GET",
cache: false,
url: '/datastore/favorites.svc/update/' + userToken + '/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: "GET",
cache: false,
url: '/datastore/favorites.svc/update/' + userToken + '/false',
success: function () {
canUpdateFavoriteStatus = true;
gotScore = false;
showFavoriteScore();
}
});
return false;
}
});
$("#lnkSmallMap").click(function(e) {
e.preventDefault();
document.getElementById("uxlrgMap").scrollIntoView(true);
return false;
});
$(function () {
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...'
};
$("#staticMap").lazyload();
$("time.timeago").timeago();
$("a.tb_images").fancybox({'type': 'image', 'titlePosition': 'inside'});
var sn = Cookie.get('sn');
if ($('#trNotPM')) {
$('#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.CacheCodeLink").click(function (e) {
e.preventDefault();
$("#dlgClipboard")
.show()
.position({
of: $("a.CacheCodeLink"),
my: "right top",
at: "right bottom",
offset: "0 5"
})
.find("input")
.val('http://coord.info/' + $('.GCCode').text())
.focus()
.select();
});
$(document).mouseup(function (e) {
if ($(e.target).parent("div#dlgClipboard").length == 0) {
$("div#dlgClipboard").hide();
}
});
if (mapLatLng != null) {
$("#ctl00_ContentBody_uxNotesAboutPrinting").fancybox({
overlayShow: false
});
var staticUrl = [];
var markers=[];
staticUrl.push("http://maps.google.com/maps/api/staticmap?size=325x325&sensor=false");
staticUrl.push("&markers=icon:http://www.geocaching.com/images/wpttypes/pins/" + mapLatLng.type + ".png|" + mapLatLng.lat + "," + mapLatLng.lng);
markers.push({lat:mapLatLng.lat, lng:mapLatLng.lng, marker:"http://www.geocaching.com/images/wpttypes/pins/" + mapLatLng.type + ".png", primary:true});
if (cmapAdditionalWaypoints != null && cmapAdditionalWaypoints.length > 0) {
for (var x = 0, len = cmapAdditionalWaypoints.length; x < len; x++) {
var item = cmapAdditionalWaypoints[x]
staticUrl.push("&markers=icon:http://www.geocaching.com/images/wpttypes/pins/" + item.type + ".png|" + item.lat + "," + item.lng);
markers.push({lat:item.lat, lng:item.lng, marker: "http://www.geocaching.com/images/wpttypes/pins/" + item.type + ".png",primary:false});
}
} else {
staticUrl.push("&zoom=14");
}
$("#staticMap")
.data("markers", markers )
.attr("original", staticUrl.join(""));
}
});
function loadDynamicMap() {
if (typeof google !== 'undefined' && typeof google.maps !== 'undefined') {
displayDynamicMap();
} else {
var script = document.createElement("script");
script.type = "text/javascript";
script.src = "http://maps.google.com/maps/api/js?v=3&sensor=false&indexing=false&callback=displayDynamicMap";
document.documentElement.firstChild.appendChild(script);
}
}
function displayDynamicMap() {
$sm = $("#staticMap");
$map = $('<div />').addClass('map').css({ height: 325, width: 325 });
$("#lnk_slippyMap").replaceWith($("<span>Showing Dynamic Map</span>"));
var items = $sm.data("markers");
console.log(items);
// walk the array to find the full bounds
var bounds = new google.maps.LatLngBounds();
var markers = [];
for (var x = 0, len=items.length; x < len; x++) {
var item = items[x];
var ll = new google.maps.LatLng(item.lat, item.lng);
bounds.extend(ll);
markers.push(new google.maps.Marker( {
clickable:false,
icon: item.marker,
position: ll, zIndex: google.maps.Marker.MAX_ZINDEX + (item.primary ? 1 : 0)
}));
}
$sm.replaceWith($map);
var map = new google.maps.Map($map.get(0), {
zoom: 14,
center: bounds.getCenter(),
mapTypeId: google.maps.MapTypeId.ROADMAP,
mapTypeControl: true,
navigationControlOptions: {
style: google.maps.NavigationControlStyle.SMALL
}
});
for(var x=0, len=markers.length; x<len;x++) {
markers[x].setMap(map);
}
if (bounds.length>1)
map.fitBounds(bounds);
}
</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','')">Nederlands</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl07_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl07$uxLocaleItem','')">Català</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl08_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl08$uxLocaleItem','')">Polski</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl09_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl09$uxLocaleItem','')">Eesti</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl10_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl10$uxLocaleItem','')">Norsk, Bokmål</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl11_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl11$uxLocaleItem','')">한국어</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl12_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl12$uxLocaleItem','')">Español</a></li>
<li><a id="ctl00_uxLocaleList_uxLocaleList_ctl13_uxLocaleItem" href="javascript:__doPostBack('ctl00$uxLocaleList$uxLocaleList$ctl13$uxLocaleItem','')">Magyar</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-6">
<p class="FooterHeader"><strong>Resources</strong></p>
<ul class="FooterLinks">
<li><a id="ctl00_hlFooterGuide" accesskey="i" title="Guide" href="../guide/default.aspx">Guide</a></li>
<li><a id="ctl00_hlFooterHistory" title="History" href="../about/history.aspx">History</a></li>
<li><a id="ctl00_hlFooterBrochures" title="Brochures" href="../tools/default.aspx#Guide">Brochures</a></li>
<li><a id="ctl00_hlFooterGlossary" title="Glossary of Terms" href="../about/glossary.aspx">Glossary of Terms</a></li>
<li><a id="ctl00_hlFooterTools" accesskey="o" title="Tools and Downloads" href="../tools/default.aspx">Tools and Downloads</a></li>
<li><a id="ctl00_hlFooterReferral" title="Tell A Friend About Geocaching" href="../account/SendReferral.aspx">Tell A Friend About Geocaching</a></li>
</ul>
</div>
<div class="span-6">
<p class="FooterHeader"><strong>Questions & Suggestions</strong></p>
<ul class="FooterLinks">
<li><a id="ctl00_hlFooterKnowledge" title="Knowledge Books Support" rel="external" href="http://support.groundspeak.com/index.php">Knowledge Books Support</a></li>
<li><a id="ctl00_hlFooterEmail" title="Email Support" rel="external" href="http://support.groundspeak.com/index.php?pg=request">Email Support</a></li>
<li><a id="ctl00_hlFooterForums" accesskey="f" title="Forums" href="../forums/default.aspx">Forums</a></li>
<li id="ctl00_liUserVoice"><a id="ctl00_hlFooterFeedback2" title="Feedback Site" rel="external" href="http://feedback.geocaching.com/">Feedback Site</a></li>
<li><a id="ctl00_hlFooterContact" title="Contact" href="../contact/default.aspx">Contact</a></li>
</ul>
</div>
<div class="span-6">
<p class="FooterHeader"><strong>Press</strong></p>
<ul class="FooterLinks">
<li><a id="ctl00_hlFooterNews" title="News Articles" href="../press/default.aspx">News Articles</a></li>
<li><a id="ctl00_hlFooterGCFactSheet" title="Geocaching Fact Sheet" rel="document" href="../articles/Brochures/footer/FactSheet_Geocaching.pdf">Geocaching Fact Sheet</a></li>
<li><a id="ctl00_hlFooterGCCOMFactSheet" title="Geocaching.com Fact Sheet" rel="document" href="../articles/Brochures/footer/FactSheet_GeocachingCom.pdf">Geocaching.com Fact Sheet</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-6 last">
<p class="FooterHeader"><strong>More</strong></p>
<ul class="FooterLinks">
<li><a id="ctl00_hlFooterAbout" title="About Groundspeak" href="../about/groundspeak.aspx">About Groundspeak</a></li>
<li><a id="ctl00_hlFooterAdvertise" title="Advertising with Us" href="../about/advertising.aspx">Advertising with Us</a></li>
<li><a id="ctl00_hlFooterHotels" title="Hotels" href="/reviews/hotels">Hotels</a></li>
<li><a id="ctl00_hlFooterGPS" accesskey="w" title="GPS Reviews" href="/reviews/gps">GPS Reviews</a></li>
<li><a id="ctl00_hlFooterBenchmarks" title="Find a Benchmark" href="../mark/default.aspx">Find a Benchmark</a></li>
</ul>
</div>
<p class="span-24 last FooterBottom">Copyright © 2000-2011 <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></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">
//jquery method
var uservoiceOptions = {};
jQuery(function ($) {
$.extend(uservoiceOptions, {
key: 'geocaching',
host: 'feedback.geocaching.com',
forum: '75775',
//alignment: 'left',
//background_color: '#c1caa8',
//text_color: 'white',
//hover_color: '#acb88d',
lang: 'en',
showTab: false
});
if (typeof (uvtoken) != "undefined") {
$.extend(uservoiceOptions, { params: { sso: uvtoken} });
}
var uv = document.createElement('script');
uv.setAttribute('type', 'text/javascript');
uv.setAttribute('src', ("https:" == document.location.protocol ? "https://" : "http://") + "cdn.uservoice.com/javascripts/widgets/tab.js");
uv.setAttribute('async', 'true');
document.documentElement.firstChild.appendChild(uv);
});
$('#feedback-tab a').hover(function () {
$('#feedback-tab a span#text').toggle();
});
</script>
<script type="text/javascript">
//<![CDATA[
var uvtoken = 'DbFDfIrSTaXyfNf74lbdopy%2bTw%2fC84Gn87pU%2b3r69toc4lYTKyii0cXY42BXT7amAeAEUCcV1MyzYH%2f69bWOOJms2Ao%2b0aNitb%2fwQiySsav%2bbdnHUF1Pl58lpSsX5HuDhKY4OflTwpp8lZOQDhoHiha6dK4WHksenFuBR0uJk5wnImWNVreNmDN0ZJSX01ixZuGVq342MV%2bhzJEqWOef9ObHsAjeKvEnlUWeqt2zbaoj5xBcagGKxpPSS3i1DVq7YkT84yLw5bCBT2CafECW%2fkXgRlP7uCj%2fkZXW%2bSI%2bjOkGVcswHukve9%2fAKGcrWdYtf%2bnrsJJovT3J2nqjsbrNSQge09TD3dc4Bq%2fxPFE9Gf4Bfx%2fcgx9WZ5wNK2DDckZ2JL4JYULKD79jSfcntjIpU70Jfwajm0MhSgqRJk2hKDk%3d';cmapAdditionalWaypoints.push({ lat:52.423067, lng:9.650383, name:'GC2CJPF Parking', pf:'PK', type:217 });
cmapAdditionalWaypoints.push({ lat:52.425067, lng:9.6642, name:'GC2CJPF Start', pf:'ST', type:218 });
cmapAdditionalWaypoints.push({ lat:52.4248, lng:9.6572, name:'Aussichtspunkt', pf:'WO', type:452 });
mapLatLng = { lat:52.425067, lng:9.664200, type:3 };var userToken = 'FOUTFKOKLELXOHWTCXQ5OPFWCPDJUY2MZWCQGTMBSLJZISEFFYL2UGYLYMUHKG5MNUB7V5ESC4WRG6FEF3KR4OQHMA76C7TN7NL2QSM4O6PUUVLIFD3Q';//]]>
</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');
});
// 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();
}
});
</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: "GET",
cache: false,
url: '/datastore/favorites.svc/score/' + 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>
<script type="text/javascript">
_qoptions = {
qacct: "p-f6VPrfmR4cujU"
};
(function () {
var quant = document.createElement('script');
quant.src = ('https:' == document.location.protocol ?
'https://' : 'http://') +
'edge.quantserve.com/quant.js';
quant.setAttribute('async', 'true');
document.documentElement.firstChild.appendChild(quant);
})();
</script>
<noscript>
<img src="http://pixel.quantserve.com/pixel/p-f6VPrfmR4cujU.gif" style="display: none;" height="1" width="1" alt="Quantcast" />
</noscript>
<!-- Server: WEB08; Build: S25_HF_20110819.4 -->
</body>
</html>
|