-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathproximity_stopwatch.phyphox
1808 lines (1768 loc) · 132 KB
/
proximity_stopwatch.phyphox
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
<phyphox version="1.14" locale="en">
<title>Proximity Stopwatch</title>
<category>Timers</category>
<icon format="base64">
iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAYAAACtWK6eAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAAN1wAADdcBQiibeAAAABl0RVh0U29mdHdhcmUAd3d3Lmlua3NjYXBlLm9yZ5vuPBoAABKjSURBVHic7d1/0B1VfcfxzzcJyIQkJMgvi4BYfg4iioooDiBCyzCgIFALVbFYYWAEKhYtUBBbBVKLBUQYUKQFagWVQRMBLT8SoIiY8qsFQggtAUEQQkjIk58k7/5xNvBwn3vvc/be3T179/m+Zp6Z5M65Z79393737o+z3yM555xzzjnnnHOunoCTGOmiDm33aNP23g5tt2vTdl6XOBa2aT+tQ9t5bdpu16HttW3aHt2h7UVt2p7Uoe3Rbdpe26HtgW3a3tSh7bQ2bRe2X2tSm7Z0aXtvm+Z7dGh7U5u2B3bquynGtXnNIl8rs21d4hi0tnnVJY7aapcgzrmMJ4hzXXiCONeFJ4hzXXiCONeFJ4hzXXiCONeFJ4hzXXiCONeFJ4hzXXiCONfFhD7f/4ikD7W89mqffa7zJxoZ3+IC+v2apO+0vPZEAf3eopHr4qUC+l3cpt/XCuhXko6VNLnltUcK6rsR+koQM1sqqe3o3X6Z2ZyS+p0vaX4J/S6U1HGUbR/9rlF569iTYRR+iOVcF54gznXhCeJcF54gznXhCeJcF54gznXhCeJcF54gznXR7kbhQ5IuaXltdgHLeqVNv38ooF9JulrSZm2W16/ZGlm546EC+n1KI9fFowX0qzb9FuXnGnmD9amSluWcc84555xzzjnnnHPOOefc6IBZbeaumJg6Ljf4mjLUZEzOXeHK15QEca4UniDOddFv2Z+6mKeR5WvWpAjEOeecc84555xzzjnnXG0A6wPrpY7DpeM3CrvbQtIjwJGpA3GudoCthw1+vAnYMXVMrlqNGNAHfFnSDi0vn2Rmq/rsd2tJC4a9tFrSVZLONLMiJsdxrnzA7DbD3TcsoN+t2/QLsBA4BRhfRPyuvvwcpDcbS7pQ0hxgn9TBuPJ4gvTnPZJmATOAbVMH44rnCVKMgxWudp0PtI4qdgOsKSfpO2rkcPf7zWxtn/22nqTHeE7S6ZKuMTP6Wb5ztdblJD3GfUDr9M1uwPT0CwL8paR3FxxLHU2W9Pk+3o+kayV9xcyeLyYkV6VeE+QGSYcVHEuTLZH0TUkX9ntvxlXLT9KrMUXSdIUT+YNTB+PieYJU63mFk3g3IDxBqvGspGMk7W1m96cOxsXr9RzkYEnbFxxLHU2TdFYf718u6WJJ3zCzpcWE5FxN9HmZdwbwjtSfwfWnEXWxgO018kbhg/3eKOzRA5JOMbO7EizbuZGofjRvOy/hI3wbpxG/IImtlnSZpLPNbHHqYFyxPEH68wtJp5rZvNSBuHJ4gvRmrqQvmdktqQNx5WpKgsxQKGA93OoSlvOKpK9L+q6ZldG/c4Nj2En6GuBqYLPUMTlXG1mCzAJ2Sx2Lc7UD+FAc55xzzrnmAzYATmSAqzwCGwJnAhunjmU0jSjaMBZkQ2f+StJpkrZUuNT8xZx9TJC0raSdJO2Y/W2jUOdrkqQNs79p2VuWSFoqaSj79xJJz0h6fNjfE2a2MmccJ0i6NOv7B5Kmm5k/J+PyA6YCZ2VjvYZbAkwZ5b0bAYcA3wYeAFblGFsW6zVgLnA58OfA5hGf6b9b+lgGXAxsVdyac40GGPBZ4IUuX86T2rxvV+Bc4DfZl7dqa4H/AS4CPgJYS3wf7fLeZcA5wFuqW9NjAGHvNaflb4PUcfUK2BG4NeLLOI+QSBsDxwF39/SVLtfThIJ622ef7ScR73kCODD1dmgMShruXjXCyes5wMocX8B7gdU52qeyllArLM+v2gxC8b5kGnGSDsyWtHfLy5PMbChFPL0A3ifpOkl/nDqWmlki6Qtmdn2Khfud4sQIh0inSLpHnhztTJF0HeEwuvJzE0+QhICNFH41LpS0fuJw6u44SfcAle5EGnGIJYU98fD/171wNLC7pBsU7kO4eIslfdrMZlaxsMYkyCAB9pX0M4XDB5ffGkknmtkVZS/IE6RiwBEKBa1TXetfpvBE5Lo74XMlPaWwZ14qacjMFkkS4UbkurvrUyVtpXD3fQdJO2d/G1Ub/utQmCvyvDIX4glSIUJV/CtU7ZOcr0l6SNKt2d9dnYaGEKa7PrPl5evN7NwO7ccpJMlekvaXdIBCIlXpEoUySylKPLmiAB8r5G5CnDXAr4BPk+N+EHBCm74uy/H+9QhDW64Hllf2aeGve9sqrlaAC0r+oiwAvgps2WN8fSVIS19TgeOBB0v+zDPxoSnNQRgnVbQnCUXr+vqiUGCCtPS7P3BPCZ/7ZgZ4SJHrgOKS5AngUxT0aDAlJciw/vcjDKIsgidHUwHjgcf7+HIsJ4zZKvQLQskJki1jHOHQa2Efn38RsGmRcXXSiLpYhOkY3tby8lVm9lqKeCJcqnCptBe/lPRFM5tfYDyVya42XU6Yxu8fFeZNyXs1daqkHwEH5X1Ya0xigEbzAt/oca+5mnACXtqleSr4BWmzzI8DL/e4Tm6k5GLhPharQoRHTVvvM8R4WmF2qul1H0KTl5n9XNJ7JP26h7d/QtJ3i43ozTxBKgIcqnBTK6+bJO1mZr18gQaCmT0taV+FKvl5HQ/8bbERvaER5yB1R3jo50rl3yFdK+nYCusA/1bSOW1eK102PfaJwAJJ5ynfeck3gfvM7PbC4yq6wxSAQyT9UcvLV9bhJB1YT9JsSR/K+daLFSrIj7khFMAxkr6vfDvw5yW918yeLycqVwrgn3s4+SztkGFQAIeRvwrLzXi52MFBuEKzNudGnp467rogVHXJu/6+mjpuFwGYDPwu58a9hhIv4w4i4LSc63AFA1x1cswg/6HVTELlwzEDmARMimj37Zzr0mf+qjPgXeQ7fp5PeD59zCCUOLqDUMurdQrv1rbjgP/ImSRHVPVZXA6EKiWzcmzIFYSSP2PGsORYJyZJNgeey7FenyHi18lVDPiLHBsRIFcB6kHXJjnyJMkBhIfBYn2zqs/lIhAOBR7NsQErqcxRF4Rzjjs7rIsVQGvxv3Z9fCvH+l0MTButT1cR4IgcG28Z8M7UMVeFzr8cEEqtfjyyn4nA/+VYz2eV/dlqj/bH/BMTxDEnx4brZdDiQKKg5BjW3ydzrOeFjHLo1njUYLg7cFCOjTaPMfIcNQUnx7B+Z+ZY339T9OcaKDVJkNtybLBPVBlbKmUlR9b3zsSfsD9Lyc+N1FrqBCHMpx67sR5hDIwXKjM5hi3jx5HrHOBPi/hcAwn4HnB/y19lD/QTJqSMdVRVcaVSRXJky9mN+LFa1xaxTNcD4LHIjfQkDR9OUlVyDFvejMh1P8RYP1lPAdgjcgMBnJw63jJVnRzZMvfLsf4/V/Ty3SiIH5S4iopK1aSQIjmy5Y4jzIMYwwcxVo0wo2uMG1PHWpZUyTFs+edFboMhxsjl9VoANiP+JPHw1PGWIXVyZDHsHLkNAPYpOx6XIZT9jLGEBu656pAcw2KJLZL99Tz9Nv56fMn2i2zXcU6OQUW4zzRToVxPq1WSjsxqXlXl1sh2Hy01CvcG4uvrNmqoQ51+OYbFFDvUZyU1rbrZKNmXJPb8Y/fU8RaljsmRxTWZ+Kc4PxDbbyNuWgFf1shi0CdlxcjKsoPi6ootUpgCbeBRv8Oq15nZq8AcxdUf21EVFcSrBRKMxQKOitxbzSozjqrU9ZejJcZLI7fJP8T26SfpvYstLfN4qVFUoM6/HC1i13V0WSBPkN6NiQQZoOSQPEFqZdvIdgObIAOWHFL8uo5+1LkRJ+mSjpPUOlJzecnLjK1j9b+lRlGSAUwOSVqgMC/8aN/rScCEOhQ3byzCU2oxWqvO194gnJB3Qpi/MMbU1LE2GqGkTIyBegZhkJNDkogf2btVTH9NOcSqFKHAdMxlZCTtCfw0sutNSr53E+MYtT+sWinpcDP7RbXhSMD9kraLaPp3kl6N7DZqx+UJ0puJkmKKACzL2sX+iiSv7G5mlwJvl3T6sJdXSfqzFMmRmaS4dfgWFZwgfhWrN7EVMtaUGkVJzOwMhWnQpPqekHcSe+Id9ePgvyC9GVI4fBptj79hRJtaMrMzskPJuxP+cvRiSmS7JTGNPEF6YGZrgOUKh1rdjJe0fgUhlcLMTh+9Ve3EVnSPOhQbyL1bHQAvSNosoumWkpbG9GlmUXu1sYZwTybmsHaFpGclbRLRdhMzWzhao0b8ggDba+RJ14MlzxC7RHEJMtHMnisxjsYzs6HYtjkuq0fttBqRIApTBreWzp+kcK5QlqgVLGkrSfNLjMNlgM0UrmSNZlXsE55+Fat3z0S28wklq7NTZLvYbecJ0ofCR466vhU+wtoTpHeeIPUTu67nxnbYlHOQGZLmtby2uuRlxq7kXUqNwg0Xu65bvyuuaMCmkYPiAGKfHXE9AiYQP4A0unicH2L1yMxelPSHyOax9bNc7z6guLvoSHostlNPkP7cGdnOi5WV72OR7R4zs9gdmydIn26PbLdfNq7JlSd2JxS7zVy/gJ1ynId8OHW8TZWdD8YWjTssT9/+C9IHM5urMPYnxmfKjGWMO0rSehHt1ir+sNgVAbgmcs/1Mg2s8F4HwH2R22BO3r79F6R/sY/TTpN0SJmBjEXADgpXsGL8pMxYXBvA+sCLkXuw21LH2zTARZHrfg2RhRoaB7gcmNPyV+U00JdEbiTwk/XCEGb4GvKd0yhIULy6ZfkfzJEgg/Jsd+0B5+dY759LHW8yqRMkiyF2rvS1NGi+kFSAjQlT28VYBsRWwnwTP0kvziWR7UxSdPl919EZii+n9K9mtrjMYGqtJr8gGwDPRe7RAA6tMr4mAXYh/sbgKnywaKh2OPwvUQxfyZEgTwOxFThcJtu+d+RYzz9IHbPLEObJW5hj452fOuZBA3w2x/p9jXCfxNUFcHaODbga+EjqmAcFsA1hREKsf08ds2tB+BV5JsdGfAaIqeM0pgHrAf+ZY72uwH896gk4MseGBLgJ8CuKXQAX5FynZ6eO2XUB3JJzg56VOua6Ag4nfk56gCeocCSF6wGwHbA8x0ZdC3w+ddx1A+xJ/HCSdQ5KHbeLAJyVc8OuBnzEbwbYlfgp1db5Ueq4XSRgPDAr5wYeAvZKHXtqwLbEzwO5zpMUPPdgI56TBg6W9LaWl6+qwyymwOaSHpS0RY63DSlMWnNzOVHVG7CLpFskvT3H21ZL2tvM7i0nqgFGDYaadAPsR7hplcdq4NjUsVeNcM7xUs51BXByGfE0pbJirZnZ7cB0hQF2sSZI+j4wzcwuKCm0NwF2ktT6vMpjZvbripb/SUn/JinvFagbJH2n+Igaou6/IJIEjAOu62HPCHADFczrDZzQZtmXVbDcCcA5hKf+8rqPEse0+c2pimST+XxG0i97ePthkh4EPlhsVOkRZtSdJelryv99nC/pYDOLnaslt6YcYv2TpB+2vBY1QUqVzGwVcKSkOyS9L+fbt5E0GzhT0kV1uADRL+BoSRdLemsPb39O0gF5qiS6AUF4lnpeD4cT6zxMCYMcqegQi1Bw77Y+Pv8i4N1Fx9WOH2IlkO319pH0UI9d7CrpTuAqoPXydm0BU4BzFT53rwW9fy9pXzN7uLjIXC0Bk4Bf9bEnBVgJXE2YyLTfeEr5BQHeSjgJz/OsTDtPAtv1G48bIIRHdW/o84sD4dHSfwHe20cshSYI8E7gW8CrBXy+3wKb9hqLG2CEISmxBdBiPAycBmyZM46+EwSYChwH3EW+Ebjd/Ax/PNkRhnW/UtCXCsLd+1mEQZN7AV2vWtJDghCeEd8N+BIwk3wjmEezCjiVhFNHNOUybyOY2U+BByRdJ+n9BXQ5XuFiwD6S/l7SUuAuhZPkeQozLc0zs5ez9sslLWzp4/V7DIS9+A4Kk2XupDAn4D6SyngicoGkT5nZb0roO1ojBis2DbC+pOmSTlY1VxqXSHpZIRmGJL2qMFXZhtnfZElTJW1cQSxSKAj+BTNbVNHyOvIEqTFCBcZLJTXuDnoHv5N0qpn9OHUg6zTiPgjtn7mYmDqufpnZ/QqDB4/RyEOfJlmtcEd95zolh9SQBFH7X8JG/Dqa2Vozu1rheP8KSasSh1QkJN0o6V1mdkqZY6p61ZQEaTwze8HMjpe0tcL5ybLEIfVjraSZkt5vZoeZ2bzUATUaAzDcvWjA5oTy/4sLvKxatpXAlRRw178qjTgMAb6nkaNjP2xmK1LEUyVCeZsDFIbSH6q4ySyr9l+SrpH0QzN7MXUweTQiQVwAbKEw4+tRknZXuA+SyqMKcwJeY2bzE8bRF0+QhiLc1NtT0v7Z3+4qd3v/XtLdkm6VdIuZPV3isirjCTJGEKqr7Ko37oKvuyO+tfJ9D56XNFfhTvzj2b8fMbMFhQZcE54gYxwwXtKU7G9S9jdZ4bsxpHB3famkRZKGzKxJl5mdc84555xzzjnnnHPOOeecc845l8v/A22hc1Ec/fRPAAAAAElFTkSuQmCC
</icon>
<description>
Measure times based on the proximity sensor.
In this experiment you bring an object close to your proximity sensor (usually located at the front next to the speaker used for phone calls) and measure the times when the object is close to or far away from your phone.
Note, that the precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment.
</description>
<link label="Wiki">http://phyphox.org/wiki/index.php?title=Experiment:_Proximity_Stopwatch</link>
<data-containers>
<container>threshold_low</container>
<container>threshold_high</container>
<container size="0">amplitude</container>
<container size="0">t</container>
<container size="0">traw</container>
<container init="0">t0</container>
<container size="0">search_a</container>
<container size="0">search_t</container>
<container size="0">trigger_t</container>
<container>trigger_last</container>
<container init="0">on0</container>
<container init="0">on1</container>
<container init="0">on2</container>
<container init="0">on3</container>
<container init="0">on4</container>
<container init="0">on5</container>
<container init="0">off0</container>
<container init="0">off1</container>
<container init="0">off2</container>
<container init="0">off3</container>
<container init="0">off4</container>
<container init="0">off5</container>
<container>don0</container>
<container>don1</container>
<container>don2</container>
<container>don3</container>
<container>don4</container>
<container>don5</container>
<container>dt01</container>
<container>dt02</container>
<container>dt03</container>
<container>dt04</container>
<container>dt05</container>
<container>dt12</container>
<container>dt23</container>
<container>dt34</container>
<container>dt45</container>
<container init="1">reset</container>
</data-containers>
<translations>
<translation locale="de">
<title>Näherungs-Stoppuhr</title>
<category>Zeitmessung</category>
<description>
Miss Zeiten mittels des Näherungssensors.
In diesem Experiment kannst du ein Objekt nahe an den Näherungssensor bringen und die Zeit messen, in welcher das Objekt nah am Smartphone oder weit entfernt ist. Der Näherungssensor befindet sich in der Regel auf der Vorderseite des Smartphones in der Nähe des zum Telefonieren benutzen Lautsprechers.
Beachte, dass die Genauigkeit der Zeitmessung vom Näherungssensor in deinem Smartphone abhängt. Bei langsamen Sensoren kann dies schlechter als eine Sekunde sein, während auch schnelle Sensoren selten besser sind als eine Zehntelsekunde. Schnellere Messungen, aber mittels Geräuschen, sind mit dem Experiment Akustische Stoppuhr möglich.
</description>
<string original="Settings">Einstellungen</string>
<string original="Sequence">Sequenz</string>
<string original="Duration">Dauer</string>
<string original="Triggers">Auslöser</string>
<string original="Trigger above">Auslösen über</string>
<string original="Trigger below">Auslösen unter</string>
<string original="Distance">Entfernung</string>
<string original="Time 1">Zeit 1</string>
<string original="Time 2">Zeit 2</string>
<string original="Time 3">Zeit 3</string>
<string original="Time 4">Zeit 4</string>
<string original="Time 5">Zeit 5</string>
<string original="Trigger duration 0">Auslösedauer 0</string>
<string original="Trigger duration 1">Auslösedauer 1</string>
<string original="Trigger duration 2">Auslösedauer 2</string>
<string original="Trigger duration 3">Auslösedauer 3</string>
<string original="Trigger duration 4">Auslösedauer 4</string>
<string original="Trigger duration 5">Auslösedauer 5</string>
<string original="Trigger on 0">Auslöser an 0</string>
<string original="Trigger off 0">Auslöser aus 0</string>
<string original="Trigger on 1">Auslöser an 1</string>
<string original="Trigger off 1">Auslöser aus 1</string>
<string original="Trigger on 2">Auslöser an 2</string>
<string original="Trigger off 2">Auslöser aus 2</string>
<string original="Trigger on 3">Auslöser an 3</string>
<string original="Trigger off 3">Auslöser aus 3</string>
<string original="Trigger on 4">Auslöser an 4</string>
<string original="Trigger off 4">Auslöser aus 4</string>
<string original="Trigger on 5">Auslöser an 5</string>
<string original="Trigger off 5">Auslöser aus 5</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Die Zeitmessung wird oberhalb und unterhalb der oben angegebenen Schwellen ausgelöst. Wenn du nur auf weite Entfernungen reagieren möchtest, setzte den Wert "Auslösen unter" auf Null. Wenn du nur auf nahe Entfernungen reagieren möchtest, setze "Auslösen über" auf einen sehr hohen Wert. Du kannst sinnvolle Schwellen für den jeweils anderen Auslöser über den Graphen unten abschätzen. Die meisten Sensoren können nur zwei Entfernungen messen, oft 0 cm und etwa 5 cm.</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Die Genauigkeit der Zeitmessung hängt vom Näherungssensor in deinem Smartphone ab. Bei langsamen Sensoren kann dies schlechter als eine Sekunde sein, während auch schnelle Sensoren selten besser sind als eine Zehntelsekunde. Schnellere Messungen, aber mittels Geräuschen, sind mit dem Experiment Akustische Stoppuhr möglich. Auf iPhones funktioniert der Sensor nur in Portrait-Ausrichtung (also wenn man das iPhone aufrecht hält) und schaltet den Bildschirm aus, solange er ausgelöst ist.</string>
</translation>
<translation locale="cs">
<title>Stopky pomocí přiblížení</title>
<category>Měření času</category>
<description>
Měří čas na základě signálu ze senzoru přiblížení.
V tomto experimentu přiblížíte předmět blízko k senzoru přiblížení (většinou je umístěn na mobilu vepředu, hned vedle reproduktoru pro hovory) a měříte kdy byl blízko či daleko k telefonu.
Vezměte prosím v potaz, že přesnost měření silně závisí na kvalitě senzoru přiblížení ve vašem mobilu. Pomalé senzory mohou být pomalejší než jedna sekunda a nejrychlejší většinou nereagují rychleji než za desetinu sekundy. Rychlejší a přesnější měření, ovšem založené na zvuku, je možné provést pomocí experimentu "Akustické stopky".
</description>
<string original="Settings">Nastavení</string>
<string original="Trigger below">Spustit pod</string>
<string original="Trigger above">Spustit nad</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Stopky se spouštějí při hodnotách pod i nad stanovenou mezí. Chcete-li, aby se spouštěly jen při velkých vzdálenostech, pak nastavte hodnotu "Spustit pod" na nulu. Chcete-li, aby se spouštěly jen při malých vzdálenostech, pak nastavte hodnotu "Spustit nad" hodně vysoko. Správné hodnoty prahů můžete odhadnout pomocí následujícího grafu. Většina senzorů měří jen dvě různé vzdálenosti. Většinou to je 0 cm a 5 cm.</string>
<string original="Distance">vzdálenost</string>
<string original="Sequence">Sekvence</string>
<string original="Time 1">Čas 1</string>
<string original="Time 2">Čas 2</string>
<string original="Time 3">Čas 3</string>
<string original="Time 4">Čas 4</string>
<string original="Time 5">Čas 5</string>
<string original="Parallel">Paralelně</string>
<string original="Duration">Trvání</string>
<string original="Trigger duration 0">Trvání spouště 0</string>
<string original="Trigger duration 1">Trvání spouště 1</string>
<string original="Trigger duration 2">Trvání spouště 2</string>
<string original="Trigger duration 3">Trvání spouště 3</string>
<string original="Trigger duration 4">Trvání spouště 4</string>
<string original="Trigger duration 5">Trvání spouště 5</string>
<string original="Triggers">Spouště</string>
<string original="Trigger on 0">Zapnutí spouště 0</string>
<string original="Trigger off 0">Vypnutí spouště 0</string>
<string original="Trigger on 1">Zapnutí spouště 1</string>
<string original="Trigger off 1">Vypnutí spouště 1</string>
<string original="Trigger on 2">Zapnutí spouště 2</string>
<string original="Trigger off 2">Vypnutí spouště 2</string>
<string original="Trigger on 3">Zapnutí spouště 3</string>
<string original="Trigger off 3">Vypnutí spouště 3</string>
<string original="Trigger on 4">Zapnutí spouště 4</string>
<string original="Trigger off 4">Vypnutí spouště 4</string>
<string original="Trigger on 5">Zapnutí spouště 5</string>
<string original="Trigger off 5">Vypnutí spouště 5</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Vezměte prosím v potaz, že přesnost měření silně závisí na kvalitě světelného senzoru ve vašem zařízení. Pomalé senzory mohou mít pomalejší odezvu než jedna sekunda a nejrychlejší většinou nereagují rychleji než za desetinu sekundy. Rychlejší a přesnější měření, ovšem založené na zvuku, je možné provést pomocí experimentu "Akustické stopky". V iPhonech tento senzor funguje pouze v režimu "portrét" (tedy když držíte mobil svisle) a když je spuštěn, vypíná obrazovku.</string>
</translation>
<translation locale="pl">
<title>Stoper zbliżeniowy</title>
<category>Czasomierze</category>
<description>
Mierz czas z wykorzystaniem czujnika zbliżeniowego.
W tym eksperymencie umieszcza się przedmiot w pobliżu czujnika zbliżeniowego urządzenia (zazwyczaj zlokalizowanego obok głośnika smartfonu) i dokonuje pomiaru czasu przebywania przedmiotu tuż obok czujnika lub w znacznej odległości od niego.
Należy zaznaczyć, że dokładność pomiaru silnie zależy od parametrów czujnika zbliżeniowego urządzenia. Dla czujników pracujących z niską częstotliwością niepewność pomiaru czasu bywa większa niż sekunda, a dla szybkich czujników nie przekracza dziesiatych części sekundy. Pomiary charakteryzujące się większą dokładnością, ale wykorzystujące dźwięk, można przeprowadzić korzystając z eksperymentu ze stoperem akustycznym.
</description>
<string original="Settings">Ustawienia</string>
<string original="Trigger below">Wyzwól poniżej</string>
<string original="Trigger above">Wyzwól powyżej</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Stoper jest wyzwalany w przypadku, gdy odległość jest mniejsza od minimalnej bądź większa od maksymalną wprowadzonej przez użytkownika wartości. Jeśli wyzwalanie ma odbywać się jedynie powyżej zadanej wartości, drugą z nich należy ustawić jako zero. Odpowiedni zakres można dobrać korzystając z danym zamieszczonych na poniższym wykresie (należy rozpocząć rejestrację). Większość czujników zbliżeniowych dokonuje zazwyczaj pomiaru dwóch dystansów 0 cm oraz około 5 cm.</string>
<string original="Distance">Dystans</string>
<string original="Sequence">Międzyczasy</string>
<string original="Time 1">Czas 1</string>
<string original="Time 2">Czas 2</string>
<string original="Time 3">Czas 3</string>
<string original="Time 4">Czas 4</string>
<string original="Time 5">Czas 5</string>
<string original="Reset">Wyczyść</string>
<string original="Parallel">Śródczasy</string>
<string original="Duration">Przedziały</string>
<string original="Trigger duration 0">Czas wyzwalania 0</string>
<string original="Trigger duration 1">Czas przedziału 1</string>
<string original="Trigger duration 2">Czas przedziału 2</string>
<string original="Trigger duration 3">Czas przedziału 3</string>
<string original="Trigger duration 4">Czas przedziału 4</string>
<string original="Trigger duration 5">Czas przedziału 5</string>
<string original="Triggers">Wyzwalania</string>
<string original="Trigger on 0">Wyzwolenie wł. 0</string>
<string original="Trigger off 0">Wyzwolenie wył. 0</string>
<string original="Trigger on 1">Wyzwolenie wł. 1</string>
<string original="Trigger off 1">Wyzwolenie wył. 1</string>
<string original="Trigger on 2">Wyzwolenie wł. 2</string>
<string original="Trigger off 2">Wyzwolenie wył. 2</string>
<string original="Trigger on 3">Wyzwolenie wł. 3</string>
<string original="Trigger off 3">Wyzwolenie wył. 3</string>
<string original="Trigger on 4">Wyzwolenie wł. 4</string>
<string original="Trigger off 4">Wyzwolenie wył. 4</string>
<string original="Trigger on 5">Wyzwolenie wł. 5</string>
<string original="Trigger off 5">Wyzwolenie wył. 5</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Niepewność pomiaru silnie zależy od rodzaju czujnika światła znajdującego się w urządzeniu. Dla czujników pracujących z niską częstotliwością może być ona większa niż sekunda, a dla szybszych czujników nie przekracza dziesiątych części sekundy. Dokładniejsze pomiary można przeprowadzić wykorzystując dźwięk oraz eksperyment ze stoperem akustycznym. Czujnik zbliżeniowy w telefonach iPhones pracuje wyłącznie w trybie portretu (tzn. gdy telefon jest trzymany pionowo) i wyłącza ekran podczas wyzwalania.</string>
</translation>
<translation locale="nl">
<title>Nabijheidschronometer</title>
<category>Timers</category>
<description>
Meet tijden met behulp van de nabijheidssensor.
In dit experiment brengen we een voorwerp in de buurt van de nabijheidssensor (meestal aan de voorkant naast de luidspreker voor telefoongesprekken) en registreer je de tijden wanneer het voorwerp zich dichtbij of ver van je telefoon bevindt.
Merk op dat de precisie sterk afhankelijk is van de nabijheidssensor in je smartphone. Voor langzame sensoren kan dit gemakkelijk meer zijn dan een seconde, terwijl snelle sensoren meestal niet sneller reageren dan een tiende van een seconde. Snellere metingen kunnen gerealiseerd worden met behulp van het akoestische chronometer-experiment (dit is dan op basis van geluid).
</description>
<string original="Settings">Instellingen</string>
<string original="Trigger below">Start onder</string>
<string original="Trigger above">Start boven</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">De timer triggert zowel boven als onder een bepaalde grenswaarde. Als u alleen op verre afstanden wilt triggeren, stelt u de waarde voor "trigger onder" in op nul. Als u alleen op korte afstanden wilt triggeren, stelt u de waarde "trigger boven" hoog in. U kunt een geschikte drempelwaarde voor uw andere trigger uit onderstaande grafiek halen. De meeste sensoren meten slechts twee afstanden, meestal 0 cm en ongeveer 5 cm.</string>
<string original="Distance">Afstand</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">De precisie hangt sterk af van de nabijheidssensor in uw telefoon. Voor langzame sensoren kan dit gemakkelijk meer zijn dan een seconde, terwijl snelle sensoren meestal niet sneller zijn dan een tiende van een seconde. Snellere metingen kunnen gerealiseerd worden met behulp van het akoestische chronometer-experiment (dit is dan op basis van geluid).
Op iPhones werkt de sensor alleen in portretmodus (d.w.z. wanneer de telefoon rechtop wordt gehouden) en schakelt het scherm uit wanneer deze wordt geactiveerd.</string>
<string original="Sequence">Opeenvolgend</string>
<string original="Time 1">Tijdstip 1</string>
<string original="Time 2">Tijdstip 2</string>
<string original="Time 3">Tijdstip 3</string>
<string original="Time 4">Tijdstip 4</string>
<string original="Time 5">Tijdstip 5</string>
<string original="Duration">Duurtijd</string>
<string original="Trigger duration 0">Duurtijd trigger 0</string>
<string original="Trigger duration 1">Duurtijd trigger 1</string>
<string original="Trigger duration 2">Duurtijd trigger 2</string>
<string original="Trigger duration 3">Duurtijd trigger 3</string>
<string original="Trigger duration 4">Duurtijd trigger 4</string>
<string original="Trigger duration 5">Duurtijd trigger 5</string>
<string original="Trigger on 0">Trigger aan 0</string>
<string original="Trigger off 0">Trigger uit 0</string>
<string original="Trigger on 1">Trigger aan 1</string>
<string original="Trigger off 1">Trigger uit 1</string>
<string original="Trigger on 2">Trigger aan 2</string>
<string original="Trigger off 2">Trigger uit 2</string>
<string original="Trigger on 3">Trigger aan 3</string>
<string original="Trigger off 3">Trigger uit 3</string>
<string original="Trigger on 4">Trigger aan 4</string>
<string original="Trigger off 4">Trigger uit 4</string>
<string original="Trigger on 5">Trigger aan 5</string>
<string original="Trigger off 5">Trigger uit 5</string>
</translation>
<translation locale="ru">
<title>Бесконтактный датчик как секундомер</title>
<category>Таймеры</category>
<description>
Измерьте время с помощью бесконтактного датчика.
В этом эксперименте вы приближаете объект к бесконтактному датчику вашего телефона (обычно он расположен спереди рядом с громкоговорителем, используемым для телефонных звонков), и измеряете время, когда объект находится близко или далеко от вашего телефона.
Обратите внимание, что точность сильно зависит от бесконтактного датчика в вашем телефоне. Для медленных датчиков это может быть больше секунды, в то время как более прогрессивные датчики обычно не реагируют быстрее десятых долей секунды. Более быстрые измерения, основанные на звуке, могут быть достигнуты с использованием эксперимента с акустическим секундомером.
</description>
<string original="Settings">Настройки</string>
<string original="Trigger below">Нижний порог</string>
<string original="Trigger above">Верхний порог</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Хронометр может запустить измерение как выше, так и ниже заданных пороговых значений. Если вы производите измерения на дальних расстояниях, установите значение «нижний триггер» равным нулю. Если вы измеряете на близких расстояниях, установите значение «верхний триггер» очень высоким. Вы можете оценить подходящий порог для триггера из графика ниже. Большинство датчиков измеряют только два расстояния, 0 см и 5 см.</string>
<string original="Distance">Дистанция</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Точность сильно зависит от бесконтактного датчика в вашем телефоне. Для медленных датчиков это может быть хуже, чем секунда, в то время как быстрые датчики обычно не работают быстрее десятых долей секунды. Более быстрые измерения, но основанные на звуке, могут быть достигнуты с использованием эксреримента с акустическим секундомером. На iPhone(-ах) датчик работает только в портретном режиме (т. е. при вертикальном удерживании телефона) и выключяет экран во время начала измерений.</string>
<string original="Sequence">Последовательность</string>
<string original="Time 1">Время 1</string>
<string original="Time 2">Время 2</string>
<string original="Time 3">Время 3</string>
<string original="Time 4">Время 4</string>
<string original="Time 5">Время 5</string>
<string original="Reset">Сброс</string>
<string original="Parallel">Сравнить</string>
<string original="Duration">Продолжительность</string>
<string original="Trigger duration 0">Продолжительность порога 0</string>
<string original="Trigger duration 1">Продолжительность порога 1</string>
<string original="Trigger duration 2">Продолжительность порога 2</string>
<string original="Trigger duration 3">Продолжительность порога 3</string>
<string original="Trigger duration 4">Продолжительность порога 4</string>
<string original="Trigger duration 5">Продолжительность порога 6</string>
<string original="Triggers">Пороги</string>
<string original="Trigger on 0">Порог 0 вкл</string>
<string original="Trigger off 0">Порог 0 выкл</string>
<string original="Trigger on 1">Порог 1 вкл</string>
<string original="Trigger off 1">Порог 1 выкл</string>
<string original="Trigger on 2">Порог 2 вкл</string>
<string original="Trigger off 2">Порог 2 выкл</string>
<string original="Trigger on 3">Порог 3 вкл</string>
<string original="Trigger off 3">Порог 3 выкл</string>
<string original="Trigger on 4">Порог 4 вкл</string>
<string original="Trigger off 4">Порог 4 выкл</string>
<string original="Trigger on 5">Порог 5 вкл</string>
<string original="Trigger off 5">Порог 5 выкл</string>
</translation>
<translation locale="it">
<title>Cronometro di prossimità</title>
<category>Misura di tempo</category>
<description>
Misura il tempo usando il sensore di prossimità.
In questo esperimento devi avvicinare un oggetto al sensore di prossimità (solitamente posizionato anteriormente accanto all'altoparlante per le telefonate) e misurare il tempo con cui l'oggetto si avvicina o si allontana dal telefono.
La precisione dipende fortemente dal sensore di prossimità del tuo telefono. Per sensori lenti questa è spesso peggiore di un secondo, mentre sensori veloci di solito non fanno meglio di qualche decimo di secondo. Misure più rapide, ma basate sul suono, si possono eseguire usando l'esperimento del cronometro acustico.
</description>
<string original="Settings">Impostazioni</string>
<string original="Trigger below">Soglia inferiore</string>
<string original="Trigger above">Soglia superiore</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Il timer restituisce l'istante di tempo in cui un oggetto si è avvicinato o allontanato dal sensore di prossimità. Il timer si attiva sia sopra che sotto le soglie impostate. Se vuoi che il timer si attivi solo quando l'oggetto è lontano, imposta il valore zero per "soglia inferiore". Se vuoi che si attivi solo quando è vicino, imposta una valore molto alto per "soglia superiore". La maggior parte dei sensori misura solamente due distanze: in genere 0 cm e 5 cm.</string>
<string original="Distance">Distanza</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">La precisione dipende fortemente dal sensore di prossimità del tuo telefono. Per sensori lenti questa è spesso peggiore di un secondo, mentre sensori veloci di solito non vanno oltre qualche decimo di secondo. Misure più rapide, ma basate sul suono, si possono eseguire usando l'esperimento del cronometro acustico. Sugli iPhone, il sensore lavora solo nella modalità ritratto (quando si tiene il telefono diritto) e si spegnerà lo schermo quando si attiva.</string>
<string original="Sequence">Serie</string>
<string original="Time 1">Tempo 1</string>
<string original="Time 2">Tempo 2</string>
<string original="Time 3">Tempo 3</string>
<string original="Time 4">Tempo 4</string>
<string original="Time 5">Tempo 5</string>
<string original="Parallel">Parallelo</string>
<string original="Duration">Durata</string>
<string original="Trigger duration 0">Durata evento 0</string>
<string original="Trigger duration 1">Durata evento 1</string>
<string original="Trigger duration 2">Durata evento 2</string>
<string original="Trigger duration 3">Durata evento 3</string>
<string original="Trigger duration 4">Durata evento 4</string>
<string original="Trigger duration 5">Durata evento 5</string>
<string original="Triggers">Trigger</string>
<string original="Trigger on 0">Evento on 0</string>
<string original="Trigger off 0">Evento off 0</string>
<string original="Trigger on 1">Evento on 1</string>
<string original="Trigger off 1">Evento off 1</string>
<string original="Trigger on 2">Evento on 2</string>
<string original="Trigger off 2">Evento off 2</string>
<string original="Trigger on 3">Evento on 3</string>
<string original="Trigger off 3">Evento off 3</string>
<string original="Trigger on 4">Evento on 4</string>
<string original="Trigger off 4">Evento off 4</string>
<string original="Trigger on 5">Evento on 5</string>
<string original="Trigger off 5">Evento off 5</string>
</translation>
<translation locale="el">
<title>Χρονόμετρο εγγύτητας</title>
<category>Χρονόμετρα</category>
<description>
Mέτρηση χρονικών διαστημάτων βασισμένα στον αισθητήρα εγγύτητας.
Στο πείραμα αυτό τοποθετείται ένα αντικείμενο κοντά στον αισθητήρα εγγύτητας (συνήθως βρίσκεται στο μπροστινό μέρος δίπλα στο ηχείο που χρησιμοποιείται στις τηλεφωνικές κλήσεις) και να μετρήσετε τις χρονικές στιγμές στις οποίες το αντικείμενο ήταν κοντά ή μακριά από το τηλέφωνο.
Σημειώστε ότι η ακρίβεια εξαρτάται ισχυρά από τον τύπο του αισθητήρα εγγύτητας του τηλεφώνου. Για αργούς αισθητήρες μπορεί εύκολα να είναι πάνω από το ένα δευτερόλεπτο ενώ οι γρήγοροι αισθητήρες συνήθως δεν είναι ταχύτεροι από κάποια δέκατα του δευτερολέπτου. Γρηγορότερες μετρήσεις, οι οποίες όμως βασίζονται στον ήχο, μπορούν να επιτευχθούν με το ακουστικό χρονόμετρο.
</description>
<string original="Settings">Ρυθμίσεις</string>
<string original="Trigger below">Ενεργοποίηση κάτω από</string>
<string original="Trigger above">Ενεργοποίηση πάνω από</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Ο μετρητής ενεργοποιείται τόσο πάνω όσο και κάτω από δοσμένο όριο. Αν θέλετε να ενεργοποιηθεί μόνο σε μεγάλες αποστάσεις, θέστε την τιμή μηδέν στην "ενεργοποίηση κάτω από". Αν θέλετε να ενεργοποιείται μόνο στις κοντινές αποστάσεις θέστε μια τιμή πολύ μεγάλη στην "ενεργοποίηση πάνω από". Μπορείτε να εκτιμήσετε το όριο για άλλες ενεργοποιήσεις από το παρακάτω γράφημα. Οι περισσότεροι αισθητήρες μετρούν μόνο δύο αποστάσεις, συνήθως μηδέν και περίπου 5 cm.</string>
<string original="Distance">Απόσταση</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Η ακρίβεια εξαρτάται ισχυρά από τον αισθητήρα εγγύτητας του τηλεφώνου σας. Για αργούς αισθητήρες μπορεί εύκολα να είναι χειρότερη από ένα δευτερόλεπτο ενώ για ταχείς αισθητήρες δεν ξεπερνά ορισμένα δέκατα του δευτερολέπτου. Ταχύτερες μετρήσεις, βασιζόμενες όμως στον ήχο, μπορούν να επιτευχθούν με τη χρήση του ακουστικού χρονομέτρου. Στα iphones, ο αισθητήρας λειτουργεί μόνο σε portrait mode (δηλαδή όταν κρατάμε όρθιο το τηλέφωνο) και θα σβήνει η οθόνη, όταν είναι ενεργοποιημένος.</string>
<string original="Sequence">Σειριακό</string>
<string original="Time 1">Χρόνος 1</string>
<string original="Time 2">Χρόνος 2</string>
<string original="Time 3">Χρόνος 3</string>
<string original="Time 4">Χρόνος 4</string>
<string original="Time 5">Χρόνος 5</string>
<string original="Reset">Επαναφορά</string>
<string original="Parallel">Παράλληλο</string>
<string original="Duration">Διάρκεια</string>
<string original="Trigger duration 0">Διάρκεια ενεργοποίησης 0</string>
<string original="Trigger duration 1">Διάρκεια ενεργοποίησης 1</string>
<string original="Trigger duration 2">Διάρκεια ενεργοποίησης 2</string>
<string original="Trigger duration 3">Διάρκεια ενεργοποίησης 3</string>
<string original="Trigger duration 4">Διάρκεια ενεργοποίησης 4</string>
<string original="Trigger duration 5">Διάρκεια ενεργοποίησης 5</string>
<string original="Triggers">Ενεργοποιήσεις</string>
<string original="Trigger on 0">Ενεργοποίηση 0</string>
<string original="Trigger off 0">Απενεργοποίηση 0</string>
<string original="Trigger on 1">Ενεργοποίηση 1</string>
<string original="Trigger off 1">Απενεργοποίηση 1</string>
<string original="Trigger on 2">Ενεργοποίηση 2</string>
<string original="Trigger off 2">Απενεργοποίηση 2</string>
<string original="Trigger on 3">Ενεργοποίηση 3</string>
<string original="Trigger off 3">Απενεργοποίηση 3</string>
<string original="Trigger on 4">Ενεργοποίηση 4</string>
<string original="Trigger off 4">Απενεργοποίηση 4</string>
<string original="Trigger on 5">Ενεργοποίηση 5</string>
<string original="Trigger off 5">Απενεργοποίηση 5</string>
</translation>
<translation locale="ja">
<title>近接ストップウォッチ</title>
<category>タイマー</category>
<description>
近接センサーを用いたタイマー.
この実験では,近接センサー(スピーカの近くに配置されることが多い)の近くに物体を配置し,その物体の接近や遠ざかる運動により,ストップウォッチを動作させ時間を計測します.
時間分解能はお持ちのスマートフォンの近接センサーに強く依存します.遅いセンサーにおいては1秒に満たない時間分解能になりやすいです.一方高速なセンサー(音響計測に基づく)では,音響ストップウォッチと同程度の時間分解能が得られます.
</description>
<string original="Settings">設定</string>
<string original="Trigger below">閾値(下)</string>
<string original="Trigger above">閾値(上)</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">設定された閾値を上回るか下回るかのいずれかでタイマーの開始・停止(トリガー)を行えます.もし,遠方でトリガー動作をさせる場合,閾値(下)をゼロに設定します.もし,近傍でのみトリガー動作をさせるのであれば,閾値(上)を極めて大きな値に設定してください.適切な閾値の大きさは,下のグラフから値を読み取ることで推定できます.ほとんどのセンサーは,0~5cm程度の範囲で,二つの距離を計測します.</string>
<string original="Distance">距離</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">時間分解能はお持ちのスマートフォンのライトセンサーに強く依存します.遅いセンサーにおいては1秒程度の時間分解能になりやすいです.一方高速なセンサーでも,10分の1より速くなることはあまりありません.音響ストップウォッチでは,より高速な動作が期待できます.iPhoneではセンサーはポートレートモードにおいてのみ動作します.(つまり携帯を上に持っている時)そしてトリガー時に画面はオフになります.</string>
<string original="Sequence">ラップ</string>
<string original="Time 1">時間 1</string>
<string original="Time 2">時間 2</string>
<string original="Time 3">時間 3</string>
<string original="Time 4">時間 4</string>
<string original="Time 5">時間 5</string>
<string original="Reset">リセット</string>
<string original="Parallel">スプリット</string>
<string original="Duration">トリガーイベント持続時間</string>
<string original="Trigger duration 0">トリガー持続時間 0</string>
<string original="Trigger duration 1">トリガー持続時間 1</string>
<string original="Trigger duration 2">トリガー持続時間 2</string>
<string original="Trigger duration 3">トリガー持続時間 3</string>
<string original="Trigger duration 4">トリガー持続時間 4</string>
<string original="Trigger duration 5">トリガー持続時間 5</string>
<string original="Triggers">トリガー</string>
<string original="Trigger on 0">トリガーオン 0</string>
<string original="Trigger off 0">トリガーオフ 0</string>
<string original="Trigger on 1">トリガーオン 1</string>
<string original="Trigger off 1">トリガーオフ 1</string>
<string original="Trigger on 2">トリガーオン 2</string>
<string original="Trigger off 2">トリガーオフ 2</string>
<string original="Trigger on 3">トリガーオン 3</string>
<string original="Trigger off 3">トリガーオフ 3</string>
<string original="Trigger on 4">トリガーオン 4</string>
<string original="Trigger off 4">トリガーオフ 4</string>
<string original="Trigger on 5">トリガーオン 5</string>
<string original="Trigger off 5">トリガーオフ 5</string>
</translation>
<translation locale="pt">
<title>Cronômetro de proximidade</title>
<category>Temporizadores</category>
<description>
Medidas de tempo usando o sensor de proximidade.
Neste experimento coloque um objeto próximo ao sensor de proximidade (normalmente perto do auto-falante usado em chamadas) e meça o tempo em que o objeto está próximo ou longe do aparelho.
Importante, a precisão depende fortemente do sensor de proximidade do seu aparelho. Sensores lentos podem ter medidas maiores que um segundo enquanto que sensores rápidos normalmente não são melhores que décimos de segundos. Medidas mais rápidas, porém baseados em som, podem ser obtidas utilizando o experimento do cronômetro acústico.
</description>
<string original="Settings">Configurações</string>
<string original="Trigger below">Gatilho inferior</string>
<string original="Trigger above">Gatilho superior</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">O temporizador dispara acima e abaixo dos limites. Caso você queira que o disparo seja apenas a longas distâncias, ajuste o valor de "disparar abaixo de" para zero. Caso queira que o disparo seja apenas a distâncias curtas, ajuste "disparar acima de" para valores bem altos. A maioria dos sensores apenas mede duas distâncias, normalmente 0 e 5 cm.</string>
<string original="Distance">Distância</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">A precisão depende fortemente do sensor de proximidade do seu aparelho. Sensores lentos podem ter medidas maiores que um segundo enquanto que sensores rápidos normalmente não são melhores que décimos de segundos. Medidas mais rápidas, porém baseados em som, podem ser obtidas utilizando o experimento do cronômetro acústico. Em iPhones, o sensor funciona somente no modo retrato (com o aparelho na vertical) e irá apagar a tela quando ativado.</string>
<string original="Sequence">Sequência</string>
<string original="Time 1">Tempo 1</string>
<string original="Time 2">Tempo 2</string>
<string original="Time 3">Tempo 3</string>
<string original="Time 4">Tempo 4</string>
<string original="Time 5">Tempo 5</string>
<string original="Reset">Reiniciar</string>
<string original="Parallel">Paralelo</string>
<string original="Duration">Duração</string>
<string original="Trigger duration 0">Duração do gatilho 0</string>
<string original="Trigger duration 1">Duração do gatilho 1</string>
<string original="Trigger duration 2">Duração do gatilho 2</string>
<string original="Trigger duration 3">Duração do gatilho 3</string>
<string original="Trigger duration 4">Duração do gatilho 4</string>
<string original="Trigger duration 5">Duração do gatilho 5</string>
<string original="Triggers">Gatilhos</string>
<string original="Trigger on 0">Gatilho ligado 0</string>
<string original="Trigger off 0">Gatilho desligado 0</string>
<string original="Trigger on 1">Gatilho ligado 1</string>
<string original="Trigger off 1">Gatilho desligado 1</string>
<string original="Trigger on 2">Gatilho ligado 2</string>
<string original="Trigger off 2">Gatilho desligado 2</string>
<string original="Trigger on 3">Gatilho ligado 3</string>
<string original="Trigger off 3">Gatilho desligado 3</string>
<string original="Trigger on 4">Gatilho ligado 4</string>
<string original="Trigger off 4">Gatilho desligado 4</string>
<string original="Trigger on 5">Gatilho ligado 5</string>
<string original="Trigger off 5">Gatilho desligado 5</string>
</translation>
<translation locale="tr">
<title>Yakınlık Kronometresi</title>
<category>Zamanlayıcılar</category>
<description>
Yakınlık sensörüne bağlı olarak süre ölçün.
Bu deneyde nesneyi telefonunuzun yakınlık sensörüne yaklaştırın (genelde ön yüzeyde telefon konuşmaları için kullanılan ahizenin yanında yer alır) ve nesnenin telefonunuza yakın ya da uzak olduğu durumlarda zaman ölçün.
Hassaslığın, telefonunuzdaki yakınlık sensörüne önemli bir şekilde bağlı olduğunu unutmayın. Yavaş sensörler için bu bir saniyeden daha yavaş olabilir, hızlı sensörler ise genellikle saniyenin onda birinden yavaş olmazlar. Ses temelinde daha hızlı ölçümler akustik kronometre deneyi kullanılarak elde edilebilir.
</description>
<string original="Settings">Ayarlar</string>
<string original="Trigger below">Aşağıdan başlat</string>
<string original="Trigger above">Yukarıdan başlat</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Zamanlayıcı, belirtilen eşiklerin üstünde ve altında başlatılır. Yalnızca uzak mesafelerde başlatmak istiyorsanız, aşağıdaki "başlatma" değerini sıfır olarak ayarlayın. Eğer sadece yakın mesafelerde başlatmak istiyorsanız, yukarıdaki "başlatma" değerini çok yüksek bir değere ayarlayın. Diğer başlatmalar için uygun eşiği aşağıdaki grafikten tahmin edebilirsiniz. Çoğu sensör, genellikle 0 cm ve yaklaşık 5 cm olmak üzere iki mesafeyi ölçer.</string>
<string original="Distance">Mesafe</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Hassaslığın, telefonunuzdaki yakınlık sensörüne önemli bir şekilde bağlı olduğunu unutmayın. Yavaş sensörler için bu bir saniyeden daha yavaş olabilir, hızlı sensörler ise genellikle saniyenin onda birinden yavaş olmazlar. Ses temelinde daha hızlı ölçümler akustik kronometre deneyi kullanılarak elde edilebilir. iPhone'larda, sensör sadece dikey modda çalışır (yani telefonu dik tutarken) ve başlatıldığında ekranı kapatacaktır.</string>
<string original="Sequence">Sıralama</string>
<string original="Time 1">Zaman 1</string>
<string original="Time 2">Zaman 2</string>
<string original="Time 3">Zaman 3</string>
<string original="Time 4">Zaman 4</string>
<string original="Time 5">Zaman 5</string>
<string original="Reset">Sıfırla</string>
<string original="Parallel">Paralel</string>
<string original="Duration">Süre</string>
<string original="Trigger duration 0">Başlatma süresi 0</string>
<string original="Trigger duration 1">Başlatma süresi 1</string>
<string original="Trigger duration 2">Başlatma süresi 2</string>
<string original="Trigger duration 3">Başlatma süresi 3</string>
<string original="Trigger duration 4">Başlatma süresi 4</string>
<string original="Trigger duration 5">Başlatma süresi 5</string>
<string original="Triggers">Başlatmalar</string>
<string original="Trigger on 0">Başlatma açık 0</string>
<string original="Trigger off 0">Başlatma kapalı 0</string>
<string original="Trigger on 1">Başlatma açık 1</string>
<string original="Trigger off 1">Başlatma kapalı 1</string>
<string original="Trigger on 2">Başlatma açık 2</string>
<string original="Trigger off 2">Başlatma kapalı 2</string>
<string original="Trigger on 3">Başlatma açık 3</string>
<string original="Trigger off 3">Başlatma kapalı 3</string>
<string original="Trigger on 4">Başlatma açık 4</string>
<string original="Trigger off 4">Başlatma kapalı 4</string>
<string original="Trigger on 5">Başlatma açık 5</string>
<string original="Trigger off 5">Başlatma kapalı 5</string>
</translation>
<translation locale="zh_Hant">
<title>臨近碼表</title>
<category>計時器</category>
<description>
透過臨近感應器測量時間。
在此實驗中你可以將一個物品帶近至手機的臨近感應器(一般來說位於手機的正面、話筒的旁邊),並且測量一個物品靠近手機或遠離手機的時間。
注意,此實驗的精準度與你手機的臨近感應器高度相關。對於較慢的感應器,慢超過一秒可能是常見的事;然而較快的感應器通常也不會快超過十分之一秒。對於有聲音、更快的事件,可以利用聲學碼表來測量。
</description>
<string original="Settings">設定</string>
<string original="Trigger below">觸發下界</string>
<string original="Trigger above">觸發上界</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">計時器於超過或低於給定的門檻時觸發。如果你想在遠距離處處發,調整「觸發下界」為0;如果你只想要在近距離觸發,將「觸發上界」調整到非常大。你可以由以下的圖表估計合適的觸發門檻。大部分的感應器僅量測兩個距離,0公分、大約5公分。</string>
<string original="Distance">距離</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">精確度與手機的臨近感應器十分相關。對於較慢的感應器,慢超過一秒可能是常見的事,然而較快的感應器通常也不會快超過十分之一秒。對於有聲音、更快的事件,可以利用聲學碼表來測量。在iPhone上,此感應器只在自拍模式時運作(例如將手機垂直拿起時),並且在觸發時會鎖定螢幕。</string>
<string original="Sequence">序列</string>
<string original="Time 1">時間 1</string>
<string original="Time 2">時間 2</string>
<string original="Time 3">時間 3</string>
<string original="Time 4">時間 4</string>
<string original="Time 5">時間 5</string>
<string original="Reset">重置</string>
<string original="Parallel">平行序列</string>
<string original="Duration">持續時間</string>
<string original="Trigger duration 0">觸發持續時間 0</string>
<string original="Trigger duration 1">觸發持續時間 1</string>
<string original="Trigger duration 2">觸發持續時間 2</string>
<string original="Trigger duration 3">觸發持續時間 3</string>
<string original="Trigger duration 4">觸發持續時間 4</string>
<string original="Trigger duration 5">觸發持續時間 5</string>
<string original="Triggers">觸發器</string>
<string original="Trigger on 0">開始觸發 0</string>
<string original="Trigger off 0">結束觸發 0</string>
<string original="Trigger on 1">開始觸發 1</string>
<string original="Trigger off 1">結束觸發 1</string>
<string original="Trigger on 2">開始觸發 2</string>
<string original="Trigger off 2">結束觸發 2</string>
<string original="Trigger on 3">開始觸發 3</string>
<string original="Trigger off 3">結束觸發 3</string>
<string original="Trigger on 4">開始觸發 4</string>
<string original="Trigger off 4">結束觸發 4</string>
<string original="Trigger on 5">開始觸發 5</string>
<string original="Trigger off 5">結束觸發 5</string>
</translation>
<translation locale="fr">
<title>Chronomètre de proximité</title>
<category>Chronomètres</category>
<description>
Chronomètre dont le déclenchement et l’arrêt sont pilotés par le capteur de proximité de votre téléphone.
Cette expérience permet de mesurer le temps où un objet est proche ou éloigné de votre capteur de proximité (ce capteur est généralement situé sur la face avant du téléphone, à côté du haut-parleur utilisé pour les appels téléphoniques)
Attention : la précision des mesures dépend fortement du capteur de proximité installé sur le téléphone. Pour les capteurs les plus lents, l'incertitude peut dépasser la seconde. Pour les capteurs les plus rapides, l'incertitude ne descend en général pas en dessous de quelques dixièmes de seconde. Pour des mesures plus précises, il faut utiliser le chronomètre sonore (qui est contrôlé par le son).
</description>
<string original="Settings">Paramètres</string>
<string original="Trigger below">Seuil de déclenchement bas</string>
<string original="Trigger above">Seuil de déclenchement haut</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Le chronomètre est déclenché par des mesures de proximité plus petites ou plus grandes que les seuils définis. Si vous voulez que seules les mesures détectant une distance élevée déclenchent le chronomètre, réglez la valeur du seuil bas à zéro. Au contraire, si vous voulez que seules les petites distances le déclenchent, réglez la valeur du seuil haut sur une valeur très élevée. Vous pouvez déterminer les valeurs de seuil appropriées en utilisant le graphique ci-dessous. La plupart des capteurs ne mesurent que deux valeurs de distance, généralement 0 cm et environ 5 cm.</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">La précision des mesures dépend fortement du capteur de proximité installé sur le téléphone. Pour les capteurs les plus lents, l'incertitude peut dépasser la seconde. Pour les capteurs les plus rapides, l'incertitude ne descend en général pas en dessous de quelques dixièmes de seconde. Pour des mesures plus précises, il faut utiliser le chronomètre sonore (qui est contrôlé par le son). Sur les IPhones, le capteur de proximité ne fonctionne qu’en mode portrait (quand le téléphone est vertical), et coupe l’écran du téléphone quand il se déclenche.</string>
<string original="Sequence">Répété</string>
<string original="Time 1">Temps 1</string>
<string original="Time 2">Temps 2</string>
<string original="Time 3">Temps 3</string>
<string original="Time 4">Temps 4</string>
<string original="Time 5">Temps 5</string>
<string original="Reset">Remise à zéro</string>
<string original="Parallel">En parallèle</string>
<string original="Duration">Durée</string>
<string original="Trigger duration 0">Durée 0</string>
<string original="Trigger duration 1">Durée 1</string>
<string original="Trigger duration 2">Durée 2</string>
<string original="Trigger duration 3">Durée 3</string>
<string original="Trigger duration 4">Durée 4</string>
<string original="Trigger duration 5">Durée 5</string>
<string original="Triggers">Déclenchements</string>
<string original="Trigger on 0">Déclenchement début 0</string>
<string original="Trigger off 0">Déclenchement fin 0</string>
<string original="Trigger on 1">Déclenchement début 1</string>
<string original="Trigger off 1">Déclenchement fin 1</string>
<string original="Trigger on 2">Déclenchement début 2</string>
<string original="Trigger off 2">Déclenchement fin 2</string>
<string original="Trigger on 3">Déclenchement début 3</string>
<string original="Trigger off 3">Déclenchement fin 3</string>
<string original="Trigger on 4">Déclenchement début 4</string>
<string original="Trigger off 4">Déclenchement fin 4</string>
<string original="Trigger on 5">Déclenchement début 5</string>
<string original="Trigger off 5">Déclenchement fin 5</string>
</translation>
<translation locale="vi">
<title>Đồng hồ bấm giờ tiệm cận</title>
<category>Đồng hồ</category>
<description>
Đo thời gian dựa trên cảm biến tiệm cận.
Trong thí nghiệm này, bạn đưa một vật thể lại gần cảm biến tiệm cận (thường nằm ở phía trước cạnh loa được sử dụng cho các cuộc gọi điện thoại) và đo thời gian khi vật ở gần hoặc cách xa điện thoại của bạn.
Lưu ý rằng độ chính xác phụ thuộc rất nhiều vào cảm biến tiệm cận trong điện thoại của bạn. Đối với các cảm biến chậm, điều này có thể dễ dàng gây sai số một giây trong khi các cảm biến nhanh thường không nhanh hơn một phần mười giây. Các phép đo nhanh hơn, nhưng dựa trên âm thanh, có thể đạt được bằng cách sử dụng thí nghiệm đồng hồ bấm giờ âm thanh.
</description>
<string original="Settings">Cài đặt</string>
<string original="Trigger below">Kích hoạt dưới</string>
<string original="Trigger above">Kích hoạt trên</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Chức năng kích hoạt đồng hồ có cả trên và dưới ngưỡng giới hạn. Nếu bạn chỉ muốn kích hoạt với khoảng cách xa, đặt giá trị cho "kích hoạt dưới" bằng 0. Nếu bạn chỉ muốn kích hoạt ở khoảng cách gần, hãy đặt giá trị "kích hoạt trên" rất cao. Bạn có thể ước tính ngưỡng kích hoạt khác phù hợp cho mình từ biểu đồ bên dưới. Hầu hết các cảm biến chỉ đo hai khoảng cách, thường là 0 cm và khoảng 5 cm.</string>
<string original="Distance">Khoảng cách</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Độ chính xác phụ thuộc mạnh vào cảm biến tiệm cận trong điện thoại của bạn. Đối với các cảm biến chậm, phản hồi có thể dễ dàng chậm hơn một giây trong khi các cảm biến nhanh thường không nhanh hơn một phần mười giây. Các phép đo nhanh hơn, nhưng dựa trên âm thanh, có thể đạt được bằng cách sử dụng thí nghiệm đồng hồ bấm giờ âm thanh. Trên iPhone, cảm biến chỉ hoạt động ở chế độ dọc (nghĩa là khi giữ điện thoại thẳng đứng) và sẽ tắt màn hình trong khi được kích hoạt.</string>
<string original="Sequence">Nối tiếp</string>
<string original="Time 1">Thời gian 1</string>
<string original="Time 2">Thời gian 2</string>
<string original="Time 3">Thời gian 3</string>
<string original="Time 4">Thời gian 4</string>
<string original="Time 5">Thời gian 5</string>
<string original="Reset">Đặt lại</string>
<string original="Parallel">Song song</string>
<string original="Duration">Khoảng t. gian</string>
<string original="Trigger duration 0">Khoảng kích hoạt 0</string>
<string original="Trigger duration 1">Khoảng kích hoạt 1</string>
<string original="Trigger duration 2">Khoảng kích hoạt 2</string>
<string original="Trigger duration 3">Khoảng kích hoạt 3</string>
<string original="Trigger duration 4">Khoảng kích hoạt 4</string>
<string original="Trigger duration 5">Khoảng kích hoạt 5</string>
<string original="Triggers">Kích hoạt</string>
<string original="Trigger on 0">Kích hoạt mở 0</string>
<string original="Trigger off 0">Kích hoạt tắt 0</string>
<string original="Trigger on 1">Kích hoạt mở 1</string>
<string original="Trigger off 1">Kích hoạt tắt 1</string>
<string original="Trigger on 2">Kích hoạt mở 2</string>
<string original="Trigger off 2">Kích hoạt tắt 2</string>
<string original="Trigger on 3">Kích hoạt mở 3</string>
<string original="Trigger off 3">Kích hoạt tắt 3</string>
<string original="Trigger on 4">Kích hoạt mở 4</string>
<string original="Trigger off 4">Kích hoạt tắt 4</string>
<string original="Trigger on 5">Kích hoạt mở 5</string>
<string original="Trigger off 5">Kích hoạt tắt 5</string>
</translation>
<translation locale="zh_Hans">
<title>近距秒表</title>
<category>计时器</category>
<description>
基于近距离传感器来测量时间.
本实验中你可以将一个物体靠近你的近距离传感器(通常位于前面板且在手机通话麦克风一旁),并测量物体靠近或远离手机的时间。
注意,实验精确度和你手机的近距离传感器高度相关。对于慢速传感器,误差很容易超过一秒,然而较快的传感器通常不会快于0.1秒。对于基于声音的更快测量,可以利用“声学秒表实验”来完成。
</description>
<string original="Settings">设置</string>
<string original="Trigger below">触发下限</string>
<string original="Trigger above">触发上限</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">计时器在高于或低于给定阈值时触发。如果你只想远距离触发,将“触发下界”设置为0。如果你只想在近距离触发,将“触发上界”设到非常高。你可以从下面的图形对你的下一个触发估计个合适的阈值。大多数传感器只测试两个距离,通常为0cm和约5cm。</string>
<string original="Distance">距离</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">实验精确度与你的手机近距离传感器高度相关。对于慢速传感器,误差很容易超过一秒,然而快速传感器通常不会快于0.1s。对于基于声音的更快测量,可以利用“声学秒表实验”来完成。在iPhone上,传感器只在纵向模式工作(比如将手机竖直拿起时),并且在触发时会锁定屏幕。</string>
<string original="Sequence">序列</string>
<string original="Time 1">时间 1</string>
<string original="Time 2">时间 2</string>
<string original="Time 3">时间 3</string>
<string original="Time 4">时间 4</string>
<string original="Time 5">时间 5</string>
<string original="Reset">复位</string>
<string original="Parallel">并行</string>
<string original="Duration">持续时长</string>
<string original="Trigger duration 0">触发持续 0</string>
<string original="Trigger duration 1">触发持续 1</string>
<string original="Trigger duration 2">触发持续 2</string>
<string original="Trigger duration 3">触发持续 3</string>
<string original="Trigger duration 4">触发持续 4</string>
<string original="Trigger duration 5">触发持续 5</string>
<string original="Triggers">触发器</string>
<string original="Trigger on 0">触发起始 0</string>
<string original="Trigger off 0">触发结束 0</string>
<string original="Trigger on 1">触发起始 1</string>
<string original="Trigger off 1">触发结束 1</string>
<string original="Trigger on 2">触发起始 2</string>
<string original="Trigger off 2">触发结束 2</string>
<string original="Trigger on 3">触发起始 3</string>
<string original="Trigger off 3">触发结束 3</string>
<string original="Trigger on 4">触发起始 4</string>
<string original="Trigger off 4">触发结束 4</string>
<string original="Trigger on 5">触发起始 5</string>
<string original="Trigger off 5">触发结束 5</string>
</translation>
<translation locale="sr">
<title>Precizna štoperica</title>
<category>Tajmeri</category>
<description>
Izmerite vremena na osnovu preciznosti senzora.
U ovom eksperimentu prinesite objekat blizu Vašeg preciznog senzora. (On se obično nalazi napred, pored zvučnika, koji se koristi za telefoniranje) i izmerite vremena kada je objekat blizu ili daleko od Vašeg telefona.
Napomena, preciznost sztrogo zavisi od osetljivosti senzora Vašeg telefona. Za spore senzore ovo može biti nešto sporije od sekunde, dok brzi senzori obično ne budu brži od desetinke sekunde. Brža merenja, ali zasnovana na zvuku, mogu se postići korišćenjem akustičkog eksperimenta sa štopericom.
</description>
<string original="Settings">Podešavanja</string>
<string original="Trigger below">Pokretanje ispod</string>
<string original="Trigger above">Pokretanje iznad</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Tajmer se okida bilo da je iznad ili ispod zadatih graničnih vrednosti. Ukoliko samo želite okidanje na velike razdaljine, postavite vrednost za "okini ispod" na nulu. Ukoliko samo želite okidanje na male razdaljine, postavite vrednost za "okini iznad" na veoma visoke vrednosti. Možete proceniti prihvatljive granične vrednosti za Vaša ostala okidanja iz donjeg grafika. Većina senzora meri samo dve razdaljine, obično 0 cm i oko 5 cm.</string>
<string original="Distance">Razdaljina</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Preciznost sztrogo zavisi od osetljivosti senzora Vašeg telefona. Za spore senzore ovo može biti nešto sporije od sekunde, dok brzi senzori obično ne budu brži od desetinke sekunde. Brža merenja, ali zasnovana na zvuku, mogu se postići korišćenjem akustičkog eksperimenta sa štopericom. Na iPhone telefonima, senzor radi isključivo kada je telefon uspravljen i isključiće se ekran tokom okidanja.</string>
<string original="Sequence">Niz</string>
<string original="Time 1">Vreme 1</string>
<string original="Time 2">Vreme 2</string>
<string original="Time 3">Vreme 3</string>
<string original="Time 4">Vreme 4</string>
<string original="Time 5">Vreme 5</string>
<string original="Parallel">Paralelno</string>
<string original="Duration">Trajanje</string>
<string original="Trigger duration 0">Trajanje okidača 0</string>
<string original="Trigger duration 1">Trajanje okidača 1</string>
<string original="Trigger duration 2">Trajanje okidača 2</string>
<string original="Trigger duration 3">Trajanje okidača 3</string>
<string original="Trigger duration 4">Trajanje okidača 4</string>
<string original="Trigger duration 5">Trajanje okidača 5</string>
<string original="Triggers">Okidači</string>
<string original="Trigger on 0">Okidač uključen 0</string>
<string original="Trigger off 0">Okidač isključen 0</string>
<string original="Trigger on 1">Okidač uljučen 1</string>
<string original="Trigger off 1">Okidač isključen 1</string>
<string original="Trigger on 2">Okidač uključen 2</string>
<string original="Trigger off 2">Okidač isključen 2</string>
<string original="Trigger on 3">Okidač uključen 3</string>
<string original="Trigger off 3">Okidač isključen 3</string>
<string original="Trigger on 4">Okidač uključen 4</string>
<string original="Trigger off 4">Okidač isključen 4</string>
<string original="Trigger on 5">Okidač uključen 5</string>
<string original="Trigger off 5">Okidač isključen 5</string>
</translation>
<translation locale="sr_Latn">
<title>Precizna štoperica</title>
<category>Tajmeri</category>
<description>
Izmerite vremena na osnovu preciznosti senzora.
U ovom eksperimentu prinesite objekat blizu Vašeg preciznog senzora. (On se obično nalazi napred, pored zvučnika, koji se koristi za telefoniranje) i izmerite vremena kada je objekat blizu ili daleko od Vašeg telefona.
Napomena, preciznost sztrogo zavisi od osetljivosti senzora Vašeg telefona. Za spore senzore ovo može biti nešto sporije od sekunde, dok brzi senzori obično ne budu brži od desetinke sekunde. Brža merenja, ali zasnovana na zvuku, mogu se postići korišćenjem akustičkog eksperimenta sa štopericom.
</description>
<string original="Settings">Podešavanja</string>
<string original="Trigger below">Pokretanje ispod</string>
<string original="Trigger above">Pokretanje iznad</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">Tajmer se okida bilo da je iznad ili ispod zadatih graničnih vrednosti. Ukoliko samo želite okidanje na velike razdaljine, postavite vrednost za "okini ispod" na nulu. Ukoliko samo želite okidanje na male razdaljine, postavite vrednost za "okini iznad" na veoma visoke vrednosti. Možete proceniti prihvatljive granične vrednosti za Vaša ostala okidanja iz donjeg grafika. Većina senzora meri samo dve razdaljine, obično 0 cm i oko 5 cm.</string>
<string original="Distance">Razdaljina</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">Preciznost sztrogo zavisi od osetljivosti senzora Vašeg telefona. Za spore senzore ovo može biti nešto sporije od sekunde, dok brzi senzori obično ne budu brži od desetinke sekunde. Brža merenja, ali zasnovana na zvuku, mogu se postići korišćenjem akustičkog eksperimenta sa štopericom. Na iPhone telefonima, senzor radi isključivo kada je telefon uspravljen i isključiće se ekran tokom okidanja.</string>
<string original="Sequence">Niz</string>
<string original="Time 1">Vreme 1</string>
<string original="Time 2">Vreme 2</string>
<string original="Time 3">Vreme 3</string>
<string original="Time 4">Vreme 4</string>
<string original="Time 5">Vreme 5</string>
<string original="Parallel">Paralelno</string>
<string original="Duration">Trajanje</string>
<string original="Trigger duration 0">Trajanje okidača 0</string>
<string original="Trigger duration 1">Trajanje okidača 1</string>
<string original="Trigger duration 2">Trajanje okidača 2</string>
<string original="Trigger duration 3">Trajanje okidača 3</string>
<string original="Trigger duration 4">Trajanje okidača 4</string>
<string original="Trigger duration 5">Trajanje okidača 5</string>
<string original="Triggers">Okidači</string>
<string original="Trigger on 0">Okidač uključen 0</string>
<string original="Trigger off 0">Okidač isključen 0</string>
<string original="Trigger on 1">Okidač uljučen 1</string>
<string original="Trigger off 1">Okidač isključen 1</string>
<string original="Trigger on 2">Okidač uključen 2</string>
<string original="Trigger off 2">Okidač isključen 2</string>
<string original="Trigger on 3">Okidač uključen 3</string>
<string original="Trigger off 3">Okidač isključen 3</string>
<string original="Trigger on 4">Okidač uključen 4</string>
<string original="Trigger off 4">Okidač isključen 4</string>
<string original="Trigger on 5">Okidač uključen 5</string>
<string original="Trigger off 5">Okidač isključen 5</string>
</translation>
<translation locale="es">
<title>Cronómetro de proximidad</title>
<category>Temporizadores</category>
<description>
Mida los tiempos en función del sensor de proximidad.
En este experimento, acercas un objeto a tu sensor de proximidad (generalmente ubicado en la parte delantera al lado del altavoz utilizado para las llamadas telefónicas) y mides los momentos en que el objeto está cerca o lejos de tu teléfono.
Tenga en cuenta que la precisión depende en gran medida del sensor de proximidad de su teléfono. Para sensores lentos, esto puede ser fácilmente peor que un segundo, mientras que los sensores rápidos generalmente no son más rápidos que décimas de segundo. Se pueden lograr mediciones más rápidas, pero basadas en el sonido, utilizando el experimento del cronómetro acústico.
</description>
<string original="Settings">Ajustes</string>
<string original="Trigger below">Disparar por debajo de</string>
<string original="Trigger above">Disparar por encima de</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">El temporizador dispara tanto por encima como por debajo de los umbrales dados. Si solo desea disparar a distancias lejanas, establezca el valor de "disparar por debajo de" en cero. Si solo desea disparar a distancias cortas, establezca el valor "disparar por encima de" muy alto. Puede estimar un umbral adecuado para su otro disparador a partir del gráfico a continuación. La mayoría de los sensores solo miden dos distancias, generalmente 0 cm y aproximadamente 5 cm.</string>
<string original="Distance">Distancia</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">La precisión depende en gran medida del sensor de proximidad en su teléfono. Para sensores lentos, esto puede ser fácilmente peor que un segundo, mientras que los sensores rápidos generalmente no son más rápidos que décimas de segundo. Se pueden lograr mediciones más rápidas, pero basadas en el sonido, utilizando el experimento del cronómetro acústico. En iPhones, el sensor solo funciona en modo vertical (es decir, al sostener el teléfono en posición vertical) y apaga la pantalla mientras se activa.</string>
<string original="Sequence">Secuencia</string>
<string original="Time 1">Tiempo 1</string>
<string original="Time 2">Tiempo 2</string>
<string original="Time 3">Tiempo 3</string>
<string original="Time 4">Tiempo 4</string>
<string original="Time 5">Tiempo 5</string>
<string original="Reset">Reiniciar</string>
<string original="Parallel">Paralelo</string>
<string original="Duration">Duración</string>
<string original="Trigger duration 0">Duración de disparo 0</string>
<string original="Trigger duration 1">Duración de disparo 1</string>
<string original="Trigger duration 2">Duración de disparo 2</string>
<string original="Trigger duration 3">Duración de disparo 3</string>
<string original="Trigger duration 4">Duración de disparo 4</string>
<string original="Trigger duration 5">Duración de disparo 5</string>
<string original="Triggers">Disparos</string>
<string original="Trigger on 0">Disparo encendido 0</string>
<string original="Trigger off 0">Disparo apagado 0</string>
<string original="Trigger on 1">Disparo encendido 1</string>
<string original="Trigger off 1">Disparo apagado 1</string>
<string original="Trigger on 2">Disparo encendido 2</string>
<string original="Trigger off 2">Disparo apagado 2</string>
<string original="Trigger on 3">Disparo encendido 3</string>
<string original="Trigger off 3">Disparo apagado 3</string>
<string original="Trigger on 4">Disparo encendido 4</string>
<string original="Trigger off 4">Disparo apagado 4</string>
<string original="Trigger on 5">Disparo encendido 5</string>
<string original="Trigger off 5">Disparo apagado 5</string>
</translation>
<translation locale="ka">
<title>სიახლოვის წამზომი</title>
<category>წამზომები</category>
<description>
ზომავს დროს სიახლოვის სენსორის გამოყენებით.
ამ ექსპერიმენტში მიიტანთ სხეულს სიახლოვის სენსორთან (ეს სენსორი ძირითადად განთავსებული დინამიკთან რომელსაც იყენებთ ტელეპონზე საუბრისას) და გაზომოთ დროები სხეულის მდებარეობის მიხედვით.
გაითვალისწინე, რომ სიზუსტე ძალიან დამოკიდებულია თქვენი ტელეფონის სენსორზე.ნელი სენსორებისთვის აცდენა წამიც შეიძლება იყოს, ხოლო ჩქარი სენსორებისთვის წამის მეათედი. უფრო მეტი სიზუსტის საჭიროების შემთხვევაში გამოიყენე აკუსტიკური წამზომები.
</description>
<string original="Settings">პარამეტრები</string>
<string original="Trigger below">გააქტიურების ქვედა ზღვარი</string>
<string original="Trigger above">გააქტიურების ზედა ზღვარი</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">წამზომი იწყებს თვლას ზედა და ქვეზა ზღვრის გადაცილებისას. თუ გსურს რომ მხოლოდ შორ მანძილებზე მოხდეს ჩართვა, დააყენე "ქვედა ზღვარი" ნულზე. თუ გსურს რომ ჩართვა მოხდეს მხოლოდ ახლო მანძილზე, დააყენე "ქვედა ზღვარი" ძალიან დიდ მნიშვნელობაზე. თქვენ შეგიძლით წინასწარ შეაფასოთ სასურველი ჩართვის ზღვარი ქვედა გრაფიკის გამოყენებით. ძირითადად სენსორები ზომავენ 0სმ-ს და 5სმ-ს.</string>
<string original="Distance">მანძილი</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">სიზუსტე ძალიან დამოკიდებულია სიშორის სენსორზე თქვენს ტელეფონში. ნელი სენსორებისთვის აცდენა შეიძლება იყოს წამი, ხოლო ჩაქრებისთვის წამის მეათედი. მეტი სიზუსტისატვის გამოიყენეთ აკუსტიკური წამზომების ექპერიმენტები. აიფონებში ეს სენსორი მუშაობს მხოლოდ მაშინ როცა ტელეფონი არის ვერტიკალურ მგომარეობაში, და ეკრანს ჩააქრობს როგორც კი ჩაირთვება.</string>
<string original="Sequence">თანმიმდევრობა</string>
<string original="Time 1">დრო 1</string>
<string original="Time 2">დრო 2</string>
<string original="Time 3">დრო 3</string>
<string original="Time 4">დრო 4</string>
<string original="Time 5">დრო 5</string>
<string original="Reset">გადატვირთვა</string>
<string original="Parallel">პარალელური</string>
<string original="Duration">ხანგრძლივობა</string>
<string original="Trigger duration 0">გამომწვევი მიზეზის ხანგრძლივობა 0</string>
<string original="Trigger duration 1">გამომწვევი მიზეზის ხანგრძლივობა 1</string>
<string original="Trigger duration 2">გამომწვევი მიზეზის ხანგრძლივობა 2</string>
<string original="Trigger duration 3">გამომწვევი მიზეზის ხანგრძლივობა 3</string>
<string original="Trigger duration 4">გამომწვევი მიზეზის ხანგრძლივობა 4</string>
<string original="Trigger duration 5">გამომწვევი მიზეზის ხანგრძლივობა 5</string>
<string original="Triggers">გამომწვევი მიზეზები</string>
<string original="Trigger on 0">გამომწვევი მიზეზი 0 -ზე</string>
<string original="Trigger off 0">გამომრთველი 0-ზე</string>
<string original="Trigger on 1">გამომწვევი მიზეზი 1-ზე</string>
<string original="Trigger off 1">გამომრთველი 1-ზე</string>
<string original="Trigger on 2">გამომწვევი მიზეზი 2-ზე</string>
<string original="Trigger off 2">გამომრთველი2-ზე</string>
<string original="Trigger on 3">გამომწვევი მიზეზი 3-ზე</string>
<string original="Trigger off 3">გამომრთველი 3-ზე</string>
<string original="Trigger on 4">გამომწვევი მიზეზი 4-ზე</string>
<string original="Trigger off 4">გამომრთველი 4-ზე</string>
<string original="Trigger on 5">გამომწვევი მიზეზი 5-ზე</string>
<string original="Trigger off 5">გამომრთველი 5-ზე</string>
</translation>
<translation locale="hi">
<title>निकटता स्टॉपवॉच</title>
<category>टाइमर</category>
<description>
निकटता सेंसर के आधार पर समय मापें।
इस प्रयोग में आप किसी वस्तु को अपने निकटता सेंसर के करीब लाते हैं (आमतौर पर फोन कॉल के लिए उपयोग किए जाने वाले स्पीकर के बगल में स्थित होता है) और उस समय को मापें जब वस्तु आपके फोन के निकट या दूर हो।
ध्यान दें, सटीकता आपके फ़ोन में निकटता सेंसर पर ही निर्भर करती है। धीमे सेंसर के लिए यह से एक सेकंड से भी खराब हो सकता है जबकि तेज़ सेंसर आमतौर पर एक सेकंड के दसवें हिस्से से अधिक तेज़ नहीं होते हैं। ध्वनिक स्टॉपवॉच प्रयोग की सहायता से तेज़ माप की जा सकती है , जोकि ध्वनि पर आधारित है |
</description>
<string original="Settings">सेटिंग्स</string>
<string original="Trigger below">निम्न ट्रिगर सीमा</string>
<string original="Trigger above">उच्च ट्रिगर सीमा</string>
<string original="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm.">टाइमर ऊपर और नीचे दी गई थ्रेशोल्ड (देहली) को ट्रिगर करता है। यदि आप केवल अधिक दूरी पर ट्रिगर करना चाहते हैं, तो "नीचे ट्रिगर" के लिए मान को शून्य पर सेट करें। यदि आप केवल निकट दूरी पर ट्रिगर करना चाहते हैं, तो "ऊपर ट्रिगर" मान बहुत उच्च सेट करें। आप नीचे दिए गए ग्राफ़ से अपने अन्य ट्रिगर के लिए उपयुक्त सीमा का अनुमान लगा सकते हैं। अधिकांश सेंसर केवल दो दूरी मापते हैं, आमतौर पर 0 सेमी और लगभग 5 सेमी।</string>
<string original="Distance">दूरी</string>
<string original="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered.">सटीकता आपके फ़ोन में निकटता सेंसर पर ही मुख्यतः निर्भर करती है। धीमे सेंसर के लिए यह एक सेकंड से भी खराब हो सकती है जबकि तेज़ (संवेदी) सेंसर आमतौर पर एक सेकंड के दसवें हिस्से से अधिक तेज़ नहीं होते हैं। ध्वनिक स्टॉपवॉच प्रयोग द्वारा, ध्वनि के आधार पर, तेज़ माप की जा सकती है| IPhones पर, सेंसर केवल पोर्ट्रेट मोड में काम करता है (यानी जब फोन को सीधा रखा जाता है) और ट्रिगर होने पर स्क्रीन को बंद कर देता है।</string>
<string original="Sequence">क्रम</string>
<string original="Time 1">समय 1</string>
<string original="Time 2">समय 2</string>
<string original="Time 3">समय 3</string>
<string original="Time 4">समय 4</string>
<string original="Time 5">समय 5</string>
<string original="Reset">रीसेट</string>
<string original="Parallel">समानांतर</string>
<string original="Duration">अवधि</string>
<string original="Trigger duration 0">ट्रिगर अंतराल 0</string>
<string original="Trigger duration 1">ट्रिगर अंतराल 1</string>
<string original="Trigger duration 2">ट्रिगर अंतराल 2</string>
<string original="Trigger duration 3">ट्रिगर अंतराल 3</string>
<string original="Trigger duration 4">ट्रिगर अंतराल 4</string>
<string original="Trigger duration 5">ट्रिगर अंतराल 5</string>
<string original="Triggers">ट्रिगर्स</string>
<string original="Trigger on 0">ट्रिगर 0 प्रारम्भ</string>
<string original="Trigger off 0">ट्रिगर 0 अंत</string>
<string original="Trigger on 1">ट्रिगर 1 आरम्भ</string>
<string original="Trigger off 1">ट्रिगर 1 अंत</string>
<string original="Trigger on 2">ट्रिगर 2 आरम्भ</string>
<string original="Trigger off 2">ट्रिगर 2 अंत</string>
<string original="Trigger on 3">ट्रिगर 3 आरम्भ</string>
<string original="Trigger off 3">ट्रिगर 3 अंत</string>
<string original="Trigger on 4">ट्रिगर 4 आरम्भ</string>
<string original="Trigger off 4">ट्रिगर 4 अंत</string>
<string original="Trigger on 5">ट्रिगर 5 आरम्भ</string>
<string original="Trigger off 5">ट्रिगर 5 अंत</string>
</translation>
</translations>
<input>
<sensor type="proximity">
<output component="t">traw</output>
<output component="x">amplitude</output>
</sensor>
</input>
<views>
<view label="Settings">
<edit label="Trigger below" unit="[[unit_short_centi_meter]]" default="3" signed="false" min="0">
<output>threshold_low</output>
</edit>
<edit label="Trigger above" unit="[[unit_short_centi_meter]]" default="100" signed="false" min="0">
<output>threshold_high</output>
</edit>
<separator height="1"/>
<info label="The timer triggers both above and below given thresholds. If you only want to trigger on far distances, set the value for "trigger below" to zero. If you only want to trigger on close distances, set the "trigger above" value very high. You can estimate a suitable threshold for your other trigger from the graph below. Most sensors only measure two distances, usually 0 cm and about 5 cm."/>
<separator height="1"/>
<graph label="Distance" timeOnX="true" labelX="[[quantity_short_time]]" unitX="[[unit_short_second]]" labelY="[[quantity_short_distance]]" unitY="[[unit_short_centi_meter]]" partialUpdate="true">
<input axis="x">t</input>
<input axis="y">amplitude</input>
</graph>
<separator height="1"/>
<info label="The precision depends strongly on the proximity sensor in your phone. For slow sensors this can easily be worse than a second while fast sensors usually do not get faster than tenths of a second. Faster measurements, but based on sound, can be achieved using the acoustic stopwatch experiment. On iPhones, the sensor only works in portrait mode (i.e. when holding the phone upright) and will turn off the screen while triggered."/>
</view>
<view label="Sequence">
<value label="Time 1" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt01</input>
</value>
<value label="Time 2" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt12</input>
</value>
<value label="Time 3" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt23</input>
</value>
<value label="Time 4" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt34</input>
</value>
<value label="Time 5" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt45</input>
</value>
<separator height="1"/>
<button label="Reset">
<input type="value">1</input>
<output>reset</output>
</button>
</view>
<view label="Parallel">
<value label="Time 1" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt01</input>
</value>
<value label="Time 2" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt02</input>
</value>
<value label="Time 3" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt03</input>
</value>
<value label="Time 4" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt04</input>
</value>
<value label="Time 5" size="3" precision="2" unit="[[unit_short_second]]">
<input>dt05</input>
</value>
<separator height="1"/>
<button label="Reset">
<input type="value">1</input>
<output>reset</output>
</button>
</view>
<view label="Duration">
<value label="Trigger duration 0" size="3" precision="2" unit="[[unit_short_second]]">
<input>don0</input>
</value>
<value label="Trigger duration 1" size="3" precision="2" unit="[[unit_short_second]]">
<input>don1</input>
</value>
<value label="Trigger duration 2" size="3" precision="2" unit="[[unit_short_second]]">
<input>don2</input>
</value>
<value label="Trigger duration 3" size="3" precision="2" unit="[[unit_short_second]]">
<input>don3</input>
</value>
<value label="Trigger duration 4" size="3" precision="2" unit="[[unit_short_second]]">
<input>don4</input>
</value>
<value label="Trigger duration 5" size="3" precision="2" unit="[[unit_short_second]]">
<input>don5</input>
</value>
<separator height="1"/>
<button label="Reset">
<input type="value">1</input>
<output>reset</output>
</button>
</view>
<view label="Triggers">
<value label="Trigger on 0" size="1" precision="2" unit="[[unit_short_second]]">
<input>on0</input>
</value>
<value label="Trigger off 0" size="1" precision="2" unit="[[unit_short_second]]">