-
Notifications
You must be signed in to change notification settings - Fork 9
/
fr.js
1784 lines (1725 loc) · 67.6 KB
/
fr.js
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
const fr = {
general: {
home: "Accueil",
next: "prochain",
ok: "D'accord",
done: "Fait",
cancel: "Annuler",
confirm: "Confirm",
apply: "Appliquer",
enter: "Enter",
scan: "Scan",
save: "sauvegarder",
save_as: "Save as",
overwrite: "Overwrite",
select: "Sélectionner",
hardware: "Hardware",
signal: "Signal",
usb: "USB",
devices: "Devices",
connect: "Connecter",
disconnect: "Déconnecter",
schedule: "Schedule",
yes: "Oui",
no: "Non",
ignore: "Ignore",
error: "Erreur",
back: "Retour",
delete: "Supprimer",
remove: "Retirer",
online: "En ligne",
offline: "Hors ligne",
cloud: "Cloud",
remote: "Distant",
preset: "Préréglage",
camera: "Caméra",
focuser: "Focuser",
filter_wheel: "Roue à filtre",
filter: "Filtre",
exposure: "Exposition",
binning: "Binning",
left: "Left",
top: "Top",
action: "Action",
scope_type: "Type de Tube",
solver_type: "Type de solveur",
type: "Type",
driver: "Driver",
gain: "Gain",
offset: "Décalage",
format: "Format",
iso: "ISO",
count: "Nombre",
delay: "Retard",
status: "Statut",
target: "Cible",
angle: "Angle",
sep_profile: "Profil SEP",
direction: "Direction",
rotation: "Rotation",
automatic: "Automatique",
manual: "Manuel",
progress: "Progression",
position_angle: "PA",
details: "Details",
skip: "Skip",
updated: "Updated",
new: "New",
remote_support: "Remote Support",
logout: "Logout",
setting: "Setting",
hours: "Hours",
minutes: "Minutes",
seconds: "Seconds",
introduction: "Introduction",
examples: "Examples",
chat: "Chat",
controls: "Controls",
balance: "Balance",
white: "White",
black: "Black",
azimuth: "Azimut",
altitude: "Altitude",
tags: "Mots clés",
filename: "Nom du fichier",
size: "Taille",
frame: "Cadre",
temperature: "Température",
name: "Nom",
date: "Date",
resolution: "Résolution",
monitor: "Monitor",
clear_all: "Clear All",
pixels: "Pixels",
select_file: "Select file",
select_folder: "Select folder",
selected_dir: "selected folder",
new_folder: "Enter new folder name",
create_new_folder: "Create new folder in",
empty_folder: "Folder is Empty",
train: "Train",
no_data_found: "No data found",
track: "Track",
jobs: "Jobs",
category: "Categories",
profile: "Profile",
arcmin: "arcmin",
calculate: "Calculate",
update: "Update",
center: "Center",
learn_more: "Learn more",
select_option: "Sélectionnez l'option...",
search: "Chercher...",
no_results: "Aucun résultat",
on: "Marche",
off: "Arrêt",
go: "ALLER",
add: "AJOUTER",
load: "Load",
edit: "ÉDITER",
refresh: "Rafraichir",
reset: "Réinitialiser",
reset_all: "Tout réinitialiser",
start: "Début",
stop: "Arrêtez",
stopping: "Arrêt",
clear: "Effacer",
solve: "Résoudre",
parked: "Parquée",
unparked: "Dé Parquée",
open: "Ouvrir",
close: "Fermé",
opened: "Ouvrir",
closed: "Fermé",
enable: "Activer",
disable: "Désactiver",
select_time: "Durée",
set: "Définir",
logging: "Logging",
drivers: "Drivers",
network: "Network",
submit: "Submit",
execute: "Execute",
retry: "Retry",
// Confirm Delete Alert
alert_confirm_delete_title: "Confirmer Suppression",
alert_delete_profile_body:
"Voulez-vous vraiment supprimer le profil sélectionné ?",
alert_delete_scope_body:
"Êtes-vous sûr de vouloir supprimer le scope sélectionné?",
// Confirm
alert_confirmation_title: "Confirmation",
alert_confirmation_files:
"Are you sure you would like to delete the selected files",
alert_confirmation_body:
"Are you sure you want to create {0} with this name?",
alert_overwrite_body:
"The file '{0}' already exists. Do you wish to overwrite it?",
network_error:
"Veuillez vous assurer que votre StellarMate est connecté à votre réseau",
internet_required:
"Veuillez vous assurer que vous êtes connecté à Internet",
alert_comm_error_title: "Erreur de communication",
alert_comm_error_body:
"Échec de la communication avec StellarMate. Veuillez vous assurer qu'il est connecté à votre réseau.",
ekoslive_down_title: "EkosLive est en panne",
ekoslive_down_body:
"EkosLive n'est pas en cours d'exécution, essayez de redémarrer StellarMate ou contactez l'assistance StellarMate.",
kstars_down_title: "KStars est en panne",
kstars_down_body:
"KStars n'est pas en cours d'exécution, essayez de redémarrer StellarMate ou contactez le support StellarMate.",
reset_default: "Reset to default",
external_storage: "Stokage Externe",
success: "Success",
failed: "Failed",
file_too_large: "File is too large",
public: "Public",
private: "Private",
label: "Label",
users: "Users",
title: "Title",
submitted_by: "Submitted By",
submitted_date: "Submitted Date",
publish_status: "Publish Status",
submission_status: "Submission Status",
access_level: "Access Level",
description: "Description",
acquisition_details: "Acquisition Details",
models: "Models",
manufacturers: "Manufacturers",
logo: "Logo",
approve: "Approve",
reject: "Reject",
confirm_approve: "Confirm Approve",
confirm_reject: "Confirm Reject",
confirm_ban: "Confirm Ban",
confirm_delete: "Confirm Delete",
confirm_ignore: "Confirm Ignore",
product_range: "Product Range",
image: "Image",
owner: "Owner",
country: "Country",
region: "Region",
pictures_captured: "Pictures Captured",
latitude: "Latitude",
longitude: "Longitude",
elevation: "Elevation",
no_filter: "No Filter",
new_observatory: "New Observatory",
go_back: "Go Back",
go_home: "Go back to Home",
go_to_feed: "Go to Feed",
go_to_users: "Go to Users",
go_to_equipment: "Go to Equipment",
go_to_observatories: "Go to Observatories",
absent_page: "Oops! The page you're looking for doesn't exist.",
absent_user: "Oops! The user you're looking for doesn't exist.",
imaging: "Imaging",
engage: "Engage",
trash: "Trash",
unpublish: "Unpublish",
duplicate: "Duplicate",
blacklist: "Blacklist",
},
darkLibrary: {
title: "Dark Library",
darks: "Darks",
defects: "Defects",
prefer: "Prefer",
create_darks_title: "Créer Darks",
create_defects_title: "Créer la Defect Map",
view_masters_title: "View Masters",
progress: "Progression",
create_darks: {
exposure_range: "Plage d'expo.",
to: "à",
temp_range: "Plage de temp.",
binning: "Binning",
binning_one: "1x1",
binning_two: "2x2",
binning_four: "4x4",
total_images: "Total",
},
create_defect_map: {
master_dark: "Master Dark",
bad_pixels: "Bad Pixels",
hot_pixels: "Pixels chauds",
generate_map: "Generer carte",
save_map: "Sauvegardé",
deviation: "σ",
},
},
achievements: {
score: "Total Score",
badge: "Badge",
achievements: "Achievements",
unlocked: "Achievement Unlocked",
points: "Points",
completed: "Completed",
not_completed: "Not completed",
capture_preview_title: "First Light!",
ten_sequences_title: "So it begins!",
mount_goto_title: "Magic Fingers",
video_recording_title: "Director’s Cut",
weather_check_title: "Cloud Magnet",
live_stacking_title: "Let there be details",
create_darks_title: "Embrace the dark side",
create_defect_title: "Cosmic Makeup",
import_mosaic_title: "Mosaic Weaver",
messier_captured_title: "MXXXX (e.g. M1)",
all_messier_title: "Cosmic Marathon",
scheduler_title: "Robotic Master",
capture_master_title: "Sky Master",
capture_legend_title: "Sky Legend",
paa_title: "Perfectionist",
guide_rms_title: "Bullseye!",
capture_preview_description: "Capture a Preview",
ten_sequences_description: "Capture a sequence with 10 counts",
mount_goto__description:
"Use Target GOTO by holding on the object for 3 seconds when the new image is captured",
video_recording_description: "Record video for 1 minute",
weather_check__description:
"Use Cloud Map in weather info, Zoom in to at least 8x to check weather",
live_stacking_description: "Live stacking. Perform at least 5 images",
create_darks_description: "Create Darks of total 50 Images",
create_defect_description:
"Generate hot / cold pixels in Defect map above 80",
import_mosaic_description: "Import Mosaics from telescopios",
messier_captured_description: "A messier object is captured",
all_messier_description: "All Messier objects were captured",
scheduler_description:
"Finish a scheduler job worth 2 or more hours of image data.",
capture_master_description: "Capture a total of 500 images",
capture_legend_description: "Capture a total of 1000 images",
paa_description: "Finish PAA with box error lower than 30 arcsecs.",
guide_rms_description: "Achieve total RMS guiding below 0.5 arcsecs.",
filtered_image_description: "Capture a narrowband image",
gallery_image_description: "Gallery Image downloaded",
alert_reset_title: "Reset achievements",
alert_agree_reset_body: "Are you sure you want to reset all achievements?",
no_description: "No description",
complete_tour_guide: "Complete Tour Guide",
file_stored: "File Stored",
},
tourGuide: {
tour_guide: "Tour Guide",
previous: "Previous",
finish: "Finish",
title_devices_list: "StellarMate Devices List",
title_device_actions: "Device Actions",
title_profiles: "Profiles",
title_port_selector: "Port Selector",
title_trains: "Optical trains",
title_weather_bar: "Weather bar",
title_cloud_report: "Cloud Report",
title_next: "What's next?",
title_focus: "Focus",
title_align: "Align",
title_guide: "Guide",
title_capture: "Capture",
title_mount: "Mount",
title_observatory: "Observatory",
title_scheduler: "Scheduler",
title_indi: "INDI Control Panel",
title_quick_controls: "Quick Controls",
title_preview: "Preview",
title_framing: "Framing",
title_live_video: "Live Video",
title_stop: "Stop",
title_live_stacking: "Live Stacking",
title_quick_settings: "Qucik Camera Settings",
title_targets_info: "About Targets",
title_search_bar: "Search bar",
title_time_controls: "Time Controls",
title_target_controls: "Targets Controls",
title_object_info: "Object info",
title_fov: "Target Field Of View",
title_target_action: "Target Action",
title_stella_prompt: "Stella prompt",
title_focus_initial: "Current Position",
title_focus_steps: "Target Position",
title_focus_size: "Step Size",
description_devices_list:
"This is the list of automatically discovered and manually added StellarMate units. Tap RESCAN to detect new StellarMate units on the network.",
description_device_actions:
"Remove a device from the list, perform a factory reset, or log out.",
description_profiles:
"Manage your astronomy equipment in Equipment Profiles. All equipment must be powered and connected to StellarMate before starting a profile. Once a profile is started, configure the Optical Trains and then tap Ekos to start your astrophotography session.",
description_port_selector:
"After a profile is started for the first time, select the serial and/or network settings for your devices.",
description_trains:
"Set up how your equipment is arranged using Optical trains. Assign each device to a specific function. Create a train for each camera.",
description_weather_bar:
"Brief weather report and current site Bortle class",
description_cloud_report: "3-hours Cloud overlay.",
description_next:
"Explore applicable astronomical targets by tapping the Targets tab. Use Go & Solve to center your target in the camera frame. Open the Framing Assistant to achieve the perfect desired orientation. Head over to Ekos tab to set up imaging sequences and live stack images.",
description_focus: "Focus the camera by using a motorized focuser.",
description_align:
"Center the mount exactly on target by plate-solving an image.",
description_guide:
"Keep the mount locked to your target during tracking to enable long exposures.",
description_capture:
"Create sequences to capture images using configurable settings. Manage filter wheel settings and Dark Library.",
description_mount:
"Toggle tracking, parking, and meridian flip settings. Configure auto-park.",
description_observatory: "Control dome and dust-cap equipment.",
description_scheduler:
"Automate complete astrophotography session by selecting target and sequence file. Import mosaics from Telescopius.",
description_indi: "Direct low-level access to equipment properties.",
description_quick_controls:
"Quick access to mount, camera, and rotator controls.",
description_preview: "Capture a single preview frame.",
description_framing: "Loop exposures indefinitely until stopped",
description_live_video:
"Start live video streams and record videos to storage.",
description_stop: "Stop any ongoing exposures or recordings.",
description_live_stacking:
"Live stack images to increase signal to noise ratio. If an existing capture sequence is running, live stacking will use incoming images otherwise it will loop exposures using settings in Quick Camera Settings.",
description_quick_settings:
"Select active train and configure camera and filter wheel settings.",
description_targets_info:
"Targets is the StellarMate Planning tool to streamline your observation session. Search from thousands of objects and filter them using simple criteria. Use the Framing Assistant to frame your targets.",
description_search_bar:
"Filter objects in the existing list or search for new objects by entering the name and tapping the search button.",
description_time_controls:
"If Ekos is offline, adjust the target date and time calculations.",
description_target_controls:
"Check out twilight information, manage FOVs, adjust filters, and select object types.",
description_object_info: "Object magnitude, rise, transit, and set times.",
description_fov: "Tap to enter Framing Assistant mode.",
description_target_action:
"Add target to favorites or custom list. Command a GOTO only or a GOTO followed by capture and solve. If Ekos is offline, schedule the target.",
alert_guided_tour_title: "Take a guided tour on Stellarmate App features",
description_stella_intro:
"Stella is your personal smart digital assistant. You can use voice or text to communicate with Stella. Ask it about any topic in astronomy.",
description_stella_example: "View example prompts.",
description_stella_chat: "View the chat history.",
description_stella_input:
"Enter your prompts to request tasks or retrieve data.",
description_stella_other_function:
"You can also interact with Stella using voice and attach files.",
description_align_paa:
"Polar align your equatorial mount to achieve better tracking & guiding.",
description_align_load: "Load and Plate Solve an image (JPG, FITS, XISF)",
description_align_controls:
"You can view Align Chart, Image, Settings and Quick Access Settings. You can also start Aligning",
description_align_solution: "Plate solving solution",
description_focus_initial: "Current focuser position and Focus Advisor",
description_focus_steps: "Target position",
description_focus_size: "Steps size when running autofocus",
description_focus_exposure: "Exposure duration and Framing toggle",
description_focus_controls:
"You can view Focus Chart, Image, Settings and Quick Access Settings. You can also start Focusing",
description_guide_camera: "Capture and Loop",
description_guide_status: "Guiding Status",
description_guide_controls:
"You can view Guide Chart, Image, Settings and Quick Access Settings. You can also start Guiding",
description_search_filter: "Filter by metadata.",
description_search_live: "Search by name.",
description_feed_all: "Displays posts from all users.",
description_feed_following: "Displays posts from users you are following.",
description_feed_saved: "Displays bookmarked posts.",
description_feed_add: "Add a new post.",
description_profile_posts:
"This tab displays your posts. Here, you can view all the posts you have created.",
description_profile_image: "RAW images.",
description_profile_achievements: "Achievements Tracker",
description_observatory_map: "Public Observatories map",
initial_tour_guide: {
profile_general:
"This is your Profile page where you can manage your account settings and personal information.",
side_panel:
"The left-hand panel is the Main Navigation. Here, you can explore Photos, connect with other Users, and view Observatories.",
profile_page:
"Take a look around your profile to explore the features available for managing your account.",
profile_next:
"Next, check out the Feed where you can explore posts from other users.",
feed_general:
"This is the Feed, where you can view images shared by others, see your bookmarks, and upload your own photos.",
feed_page: "Browse posts from other users here.",
feed_next:
"Next, explore the Users page to find and connect with others.",
users_general:
"This is the Users page, where you can search for, filter, and follow other members of the community.",
users_page: "Discover and interact with other users here.",
users_next:
"Next, let's visit the Equipment page to explore astronomy tools.",
equipment_general:
"Welcome to the Equipment page, where you can browse and learn about different astronomy equipment.",
equipment_page:
"Check out the astronomy equipment types. Tap any type to list all manufacturers for this equipment type, and then tap a manufacturer to list all models.",
equipment_next:
"Next, explore the Observatories page to view and manage observatories.",
observatories_general:
"Welcome to the Observatories page! Here, you can explore observatories created by other users and manage your own.",
observatories_page: "View and manage observatories in this section.",
final_step:
"Congratulations! You've finished the tour. Now it's time to dive in and discover everything this platform has to offer.",
},
},
tooltip: {
placeholder: "Placeholder %{0} or %{1}",
placeholder_file: "The name of the .esq file, without extension.",
placeholder_date: "The current time and date when the file is saved.",
placeholder_type: "The frame type e.g: 'Light', 'Dark'",
placeholder_exp: "The exposure duration in seconds.",
placeholder_exposure:
"The exposure duration in seconds as plain number, without any unit as suffix.",
placeholder_offset: "The offset configured for capturing.",
placeholder_gain: "The gain configured for capturing.",
placeholder_bin: "The binning configured for capturing.",
placeholder_iso: "The ISO value(DSLRs only).",
placeholder_pierside: "The current mount's pier side",
placeholder_temperature: "The camera temperature of capturing.",
placeholder_filter: "The active filter name.",
placeholder_seq:
"The image sequence identifier where * is the number of digits used (1-9), This tag is mandatory and must be the last element in the format",
placeholder_target: "The Target name.",
placeholder_arbitrary:
"Arbitrary text may also be included within the Format string, except the % and / characters. The / Path character can be used to define arbitrary directories.",
placeholder_notes: "Notes:",
placeholder_case:
"• Tags are case sensitive in both their short and long forms",
placeholder_datetime:
"• Only use the %Datetime tag in the filename portion of the format, not in the path definition.",
format_title:
"Format is used to define the image file names by the use of placeholder tags.",
suffix:
"Number of digits used to append the sequence number to the filename",
paa_desc:
"Use plate-solving method for Polar Alignment. Plate solving is slower but provides more accurate results.",
plate_solving:
"Uses plate solving to track what the corrected alignment error is during the Refresh process. User should try to reduce the error in the Updated Err line below and minimize the size of the arrows.",
mount_info: "Move Star and Calc Error",
movestar_desc:
"Like Move Star, But Ekos attemps to track the star being moved and estimates the current alignment error when it can.",
remote_description:
"Add remote INDI drivers to chain with the local INDI server configured by this profile. Format this field as a comma-separated list of quoted driver name, host name/address and optional port:",
remote_zwo_description:
"Connect to the named camera on 192.168.1.50, port 8000.",
remote_eqmod_description:
"Connect to the named mount on 192.168.1.50, port 7624.",
remote_port: "Connect to all drivers found on 192.168.1.50, port 8000.",
remote_ip: "Connect to all drivers found on 192.168.1.50, port 7624.",
remote_info:
"When omitted, host defaults to localhost and port defaults to 7624. Remote INDI drivers must be already running for the connection to succeed.",
},
splash: {
checking_for_updates: "Vérification des mises à jour...",
downloading_package: "Téléchargement de la mise à jour...",
installing_update: "Installation de mise à jour...",
channel_update: "Changement de canal en cours...",
upto_date: "Déjà à jour.",
update_installed: "Toutes les mises à jour installées.",
loading: "Chargement...",
},
validations: {
username_required: "Le nom d'utilisateur est obligatoire",
username_tooshort: "Minimum 3 caractères requis",
username_toolong: "Ne peut pas contenir plus de 64 caractères",
username_invalid: "Caractères non valides dans le nom d'utilisateur",
password_required: "Mot de passe requis",
password_invalid: "Minimum 6 caractères requis",
confirm_password_required: "Confirmer le mot de passe requis",
confirm_password_mismatch: "Confirmer le mot de passe incorrect",
email_required: "Email (requis",
email_invalid: "Adresse e-mail invalide",
license_required: "Clé de licence requise",
serial_required: "Clé de série requise",
new_scope_vendor: "Entre un nom de fournisseur valide",
new_scope_model_invalid: "Entre un modèle valide",
new_scope_aperture_invalid: "Entre une ouverture valide",
new_scope_focal_length_invalid: "Entre une focale valide",
new_scope_focal_ratio_invalid: "Enter a valid focal ratio",
},
progress: {
start_capture: "Starting capture...",
please_wait: "S'il vous plaît, attendez ...",
establishing_connection: "Établissement de la connexion",
cameras: "Obtenir des caméras",
mounts: "Obtenir des montures",
scopes: "Obtenir des Télescopes",
filter_wheels: "Obtenir des roues de filtre",
registering: "Enregistrement...",
registered: "inscrit",
authenticating: "Authentification...",
authenticated: "Authentifié",
checking_kstars: "Vérification de KStars...",
kstars_open: "KStars ouvert",
checking_ekoslive: "Vérification d'EkosLive...",
ekoslive_connected: "EkosLive connecté",
starting_ekos: "Démarrer Ekos...",
getting_devices: "Obtenir des appareils...",
loading_settings: "Chargement des paramètres...",
register_device: "Scanned QR Code, Registering Device: ",
},
welcome: {
register_new_device: "Enregistrer un nouvel appareil?",
have_existing_account: "Vous avez un compte existant?",
require_sm_plus_pro: "Inscrivez-vous si vous avez",
},
device_scanner: {
scanning:
"Veuillez patienter pendant que nous recherchons des appareils StellarMate sur le réseau",
qr_scan: "Scannez le QR Code de votre appareil ",
},
statuses: {
Idle: "Inactif",
prep: "Prep",
run: "Run",
Aborted: "Avorté",
"Calibration error": "Erreur d'étalonnage",
Capturing: "Capturer",
"In Progress": "En cours",
"Setting Temperature": "Réglage de la température",
Slewing: "Pivotement",
Calibrating: "Étalonnage",
Tracking: "Poursuite",
Guiding: "Guidage",
Parking: "Parking",
"User Input": "Entrée utilisateur",
Complete: "Compléter",
Suspended: "Suspendu",
Parked: "Parquée",
},
connect: {
register_welcome:
"Veuillez vous connecter à votre compte stellarmate.com pour synchroniser les appareils.",
welcome_heading: "Salut!",
welcome_description:
"Veuillez vous assurer que vous êtes connecté au HotSpot de StellarMate ou que StellarMate est sur le même réseau que vous.",
welcome_rescan:
"Cliquez sur RESCAN pour commencer à scanner le réseau pour les appareils StellarMate.",
device_unreachable:
"L'appareil n'est pas accessible! Vérifiez les paramètres d'alimentation et de réseau.",
login_mismatch:
"Authentification échouée. Le mot de passe de l'application est différent du mot de passe en ligne de stellarmate.com. Enregistrez à nouveau l'application avec le mot de passe en ligne correct.",
register_using_key: "Register Device using Serial number",
old_stellarmate_heading: "Mise à jour requise!",
old_stellarmate_description:
"Vous semblez utiliser une ancienne version de StellarMate OS. Vous devez passer à la version la plus récente de StellarMate pour continuer à utiliser cette application.",
sm_app_update_title: "SM App Update Required!",
sm_app_update_body:
"You appear to be using an older version of StellarMate App. Please update to the latest version.",
primary: "Primaire",
guide: "Guider",
scope: "Portée",
btn_rescan: "RESCAN",
btn_port_select: "Selection de port",
btn_sync_gps: "Synchroniser le GPS",
btn_dslr_setup: "Configuration DSLR",
btn_clear_driver_config: "Effacer la configuration du pilote.",
scan_in_progress: "Analyse en cours ...",
connection_in_progress: "Connexion de StellarMate ...",
registration_in_progress: "Enregistrement de StellarMate ...",
logging_in_progress: "Connexion à StellarMate ...",
generic: "Generic Serial",
select_driver: "Please select device type and driver",
invalid_ip: "No IP address found or invalid IP {0}. Please try again.",
cloudsMap: {
btn_clouds_map: "Clouds Map",
attribution: "OpenStreetMap",
map_title: "3-Hour Cloud Map",
bortle_class: "Bortle Class",
},
connecting: "De liaison...",
logging: "Enregistrement...",
ip_address: "Adresse IP",
login_register: {
heading: "Authentifier",
heading_online: "Connectez-vous à stellarmate.com",
connect_to_internet: "Vous devez être connecté à Internet.",
connect_to_sync:
"Cela n'est fait qu'une seule fois pour synchroniser votre compte.",
reset_app:
"Conseil: vous pouvez resynchroniser l'application avec votre compte en ligne en accédant à l'onglet À propos et en cliquant sur Bouton de réinitialisation de l'application, puis relance de l'application",
no_valid_device: "Aucune information valide sur l'appareil disponible.",
setup_guide: "Guide d'installation",
register: "S'inscrire",
login: "Se connecter",
serial: "Numéro de série",
license: "Clé de licence",
username: "Nom d'utilisateur",
password: "Mot de passe",
confirm_password: "Confirmez le mot de passe",
first_name: "Prénom",
last_name: "Nom",
email: "Email",
manually: "Manually",
},
device_manager: {
alert_confirm_remove_title: "Confirmer la suppression",
alert_confirm_remove_body: "Voulez-vous vraiment supprimer cet appareil?",
btn_sign_out: "Déconnexion",
},
profile_manager: {
heading: "Profils d'équipement",
},
port_selector: {
connect_all: "Tout connecter",
},
manually_add_device: {
heading: "Ajouter manuellement un appareil",
btn_add_device: "Ajouter un appareil",
alert_unreachable_title: "Une erreur s'est produite",
alert_unreachable_body:
"Une erreur s'est produite lors de la tentative de localisation du périphérique à l'adresse IP spécifiée. Veuillez vérifier à nouveau l'adresse IP et réessayer.",
},
device_scanner: {
no_device_before_scan: "Aucun appareil détecté. Exécutez le scanner.",
no_device_after_scan: "Analyse terminée. Aucun périphérique trouvé.",
auto_scanned: "Analyse automatique",
manually_added: "Ajouté manuellement",
add_a_device: "Ajouter un périphérique",
devices_detected: "Appareil détecté",
no_network_found:
"Aucun réseau détecté. Assurez-vous que vous êtes connecté à un réseau.",
},
add_profile: {
add_profile: "Ajouter un profil",
edit_profile: "Editer le profil",
mount: "Monture",
ccd: "Camera 1",
dome: "Dome",
focuser: "Focuser",
filter: "Filtre",
guider: "Camera 2",
ao: "Optique adaptative",
weather: "Météo",
aux1: "Aux1",
aux2: "Aux2",
aux3: "Aux3",
aux4: "Aux4",
indi_server: "INDI Server",
local: "Local",
host: "Host",
web_manager: "INDI Web Manager",
profile_settings: "Profile Settings",
auto_connect: "Auto Connect",
port_selector: "Port Selector",
usb_reset: "Force USB Reset",
remote_drivers: "Remote Drivers",
feedback: "Feedback",
stella_feedback_optional: "(Optional) Feel free to add more details.",
stella_feedback: "Feedback submitted successfully.",
stella_feedback_placeholder: "Please provide additional feedback",
stella_prompt_request: "Request for Stella handled successfully✅",
stella_xml_failure: "Failed to generate XML",
stella_history_success: "History deleted successfully.",
stella_history_failure: "Error deleting history",
},
add_scope: {
add_scope: "Ajouter un télescope",
edit_scope: "Modifier le télescope",
vendor: "Fabricant",
aperture: "Ouverture (mm)",
focal_length: "Focale (mm)",
},
auto_detect: {
alert_auto_detect_title: "Instructions de détection automatique",
alert_auto_detect_body:
"Débranchez TOUS les équipements de StellarMate puis appuyez sur Ok. Puis branchez-les un par un pour détecter le type de périphérique et le pilote. Une fois que chaque périphérique est branché, vous devez confirmer le pilote.",
alert_mapped_title: "Cartographie des appareils",
alert_mapped_body: "Le port série de l'appareil est correctement mappé.",
alert_missing_driver_title: "Pilote manquant",
alert_missing_driver_body: "Vous devez d'abord sélectionner un pilote.",
},
dslr_setup: {
width: "Largeur",
height: "la taille",
pixel_width: "Largeur pixel",
pixel_height: "Hauteur pixel",
},
observatory: {
observatory_name: "Name of the observatory",
bortle_scale: "Bortle Scale",
observatory_delete_submit:
"Are you sure you want to delete the observatory? All equipment and the equipment profiles will also be deleted",
observatory_delete_title: "Delete observatory",
empty_profile:
"The selected profile currently has no equipment. To proceed, please add new equipment.",
empty_profiles_list:
"The selected observatory currently has no equipment profiles. To proceed, please add new profile.",
manufacturer: "Manufacturer",
profile_name: "Profile Name",
},
no_connected_instances:
"No active instances detected, please make sure KStars is connected and is not linked to any other observatory.",
observatories: "Observatories",
equipment: "Equipment",
observatory_delete_submit: "Observatory successfully deleted",
},
targets: {
now: "Maintenant",
night: "Nuit",
rise: "Lever",
moon: "Lune",
sun: "Soleil",
search: "Chercher",
cam_width: "Camera Width",
cam_height: "Camera Height",
fov_warning: "FOV is too small or large, Please check!",
phases: {
new_moon: "Nouvelle Lune",
full_moon: "Pleine Lune",
first_quarter: "Premier Quartier",
third_quarter: "Dernier Quartier",
waxing_crescent: "Premier croissant",
waxing_gibbous: "Gibbeuse croissante",
waning_crescent: "Dernier croissant",
waning_gibbous: "Gibbeuse décroissante",
},
lists: "Liste",
framing_assistant: "Framing Assistant",
target_rotation: "Target Position Angle",
current_rotation: "Current Rotation",
rotate_capture: "Rotation & Capture",
goto_rotate: "GOTO & Rotation",
angular_offset: "Angular Offset",
no_objects_in_list:
"No Objects found. Please check active list, adjust or reset the filters.",
go_and_solve: "Go & Solve",
fov_profile: "FOV Profile",
fov_width: "FOV Largeur",
fov_height: "FOV Hauteur",
alert_select_FOV_body:
"Please create or select an FOV profile in order to use Framing assistant.",
alert_list_exists_body: "A list with that name already exists",
},
ekos: {
heading: "Ekos",
tgl_mount: "MONTURE",
tgl_solution_bar: "BARRE DE SOLUTION",
tgl_sequence: "SÉQUENCE",
tgl_properties: "PROPRIÉTÉS",
alert_ekos_offline_title: "Ekos est hors ligne",
alert_ekos_offline_body:
"Ekos semble être hors ligne pour le moment. Avez-vous commencé le profil d'équipement?",
ekos_dialog: {
auto_closes_in: "Fermeture automatique dans",
},
indi: {
no_logs: "No logs are available for this driver",
},
controls_bar: {
mount_speed: "Vitesse de la monture",
centering: "Centrage",
find: "Trouver",
max: "Max",
parking_position: "Parking Position is set successfully.",
},
collapse_align: {
heading: "Aligner",
action_sync: "Synchroniser",
action_slew: "Viser vers la cible",
action_nothing: "Rien",
solver_backend: "Backend",
control: "Contrôle",
solve: "Capturer et résoudre",
load: "Charger et faire pivoter",
polar: "Alignement Polaire",
accuracy: "Précision",
settle: "Régler",
dark: "Dark",
arcsec: "arcsec",
ms: "SP",
x_axis: "Itérations",
y_axis: "Erreur (arcsec)",
refresh_rate: "Taux de rafraichissement",
image_selected: "Image selected successfully",
select_method: "Please select the image selection method",
device_gallery: "Phone/Tablet gallery",
sm_storage: "SM Storage",
request_storage_permission: "Please allow the storage permission",
celestial_warning:
"Plate solving does not work very close to the celestial pole.",
manualRotator: {
heading: "Rotation Manuelle",
current_pa: "PA Actuel",
target_pa: "PA Cible",
another_image: "Prendre une autre Image",
},
align_settings: {
rotator_control: "Contôle Rotateur",
use_scale: "Utiliser Echelle",
use_position: "Utiliser Position",
},
calibration_settings: {
pulse: "Pulse",
max_move: "Max Move",
iterations: "Iterations",
two_axis: "Two axis",
square_size: "Auto square size",
calibrate_backlast: "Remove DEC backlash in guide calibration",
reset_calibration: "Reset Guide Calibration After Each Mount Slew",
reuse_calibration: "Store and reuse guide calibration when possible",
reverse_calibration:
"Reverse DEC on pier-side change when reusing calibration",
skyflats: "Sky flats",
},
},
collapse_camera: {
heading: "Capturer",
type_light: "Brutes",
type_bias: "Biais",
type_flat: "Flat",
type_dark: "Dark",
format_fits: "Fits",
format_native: "Natif",
cooling_unavailable: "N/A",
btn_add_to_sequence: "Ajouter à la séquence ",
btn_loop: "Boucle",
rotator_control: {
title: "Rotator",
angle: "Rotator Angle",
offset: "Camera Offset",
pierside: "Camera Pierside",
flip: "Flip Policy",
pos_angle: "Camera Position Angle",
reverse_direction: "Reverse direction of Rotator",
flip_rotator: "Preserve Rotator Angel",
flip_position: "Preserve Position Angel",
},
capture_settings: {
miscellaneous: "Miscellaneous",
temperature: "Temperature threshold",
temperature_tooltip:
"Maximum acceptable difference between requested and measured temperature set point. When the temperature threshold is below this value, the temperature set point request is deemed successful.",
guiding: "Guiding settle",
guiding_tooltip:
"Wait this many seconds after guiding is resumed to stabilize the guiding performance before capture.",
dialog: "Dialog timeout",
dialog_tooltip: "Cover or uncover telescope dialog timeout in seconds.",
reset_sequence: "Always reset sequence when starting",
reset_sequence_tooltip:
"When starting to process a sequence list, reset all capture counts to zero. Scheduler overrides this option when Remember job progress is enabled.",
reset_mount: "Reset mount model after meridian flip",
reset_mount_tooltip: "Reset mount model after meridian flip.",
use_flip: "Use flip command if supported by mount",
use_flip_tooltip: "Use flip command if it is supported by the mount.",
summary_preview: "Summary screen preivew",
summary_preview_tooltip:
"Display received FITS in the Summary screen preview window.",
force_dslr: "Force DSLR presets",
image_viewer: "DSLR image viewer",
sequence_focus: "In-Sequence Focus",
hfr_threshold: "HFR threshold modifier",
hfr_threshold_tooltip:
"Set HFR Threshold percentage gain. When an autofocus operation is completed, the autofocus HFR value is increased by this threshold percentage value and stored within the capture module. If In- Sequence-Focus is engaged, the autofocus module only performs auto-focusing procedure if current HFR value exceeds the capture module HFR threshold. Increase value to permit more relaxed changes in HFR values without requiring a full autofocus run.",
sequence_check: "In-sequence HFR check",
sequence_check_tooltip:
"Run In-Sequence HFR check after this many frames.",
median: "Use median focus",
median_tooltip:
"Calculate median focus value after each autofocus operation is complete. If the autofocus results become progressively worse with time, the median value shall reflect this trend and prevent unnecessary autofocus operations when the seeing conditions deteriorate.",
save_sequence: "Save sequence HFR value to file",
save_sequence_tooltip:
"In-sequence HFR threshold value controls when the autofocus process is started. If the measured HFR value exceeds the HFR threshold, autofocus process is initiated. If the HFR threshold value is zero initially (default), then the autofocus process best HFR value is used to set the new HFR threshold, after applying the HFR threshold modifier percentage. This new HFR threshold is then used for subsequent In-Sequence focus checks. If this option is enabled, the HFR threshold value is constant and gets saved to the sequence file.",
},
},
capture_presets: {
heading: "Paramètres prédéfinis",
},
capture_limits: {
heading: "Limiter les paramètres",
guiding_deviation: "Écart de guidage <",
guiding_deviation_unit: '"',
focus_hfr: "Autofocus si HFR>",
focus_hfr_unit: "pixels",
focus_deltaT: "Autofocus si ΔT °>",
focus_deltaT_unit: "°C",
refocus_n: "Recentrer chaque",
refocus_n_unit: "minutes",
refocus_on_hfr: "Refocus on HFR. Use",
refocus_meridian: "Refocus after meridian flip",
check_every: "Check every",
about_guide_deviation: "About if guide deviation >",
start_deviation: "Only start if guide deviation <",
guide_deviation: "Guide deviation",
consecutive_times: "consecutive times",
dither_job: "Dither per job every",
},
capture_filters: {
heading: "Paramètres de filtre",
auto_focus: "Mise au point automatique",
lock_filter: "Verrouiller le filtre",
no_filters: "No filters have been found.",
},
targets_filters: {
object_type: "Type d'objet",
alt: "Alt",
},
capture_auto_calibration: {
heading: "Calibration automatique",
flat_source: "Source de Flat",
flat_duration: "Durée Flat",
dust_builtin: "Cache-poussière avec éclairage plat intégré",