text
stringlengths
9
39.2M
dir
stringlengths
26
295
lang
stringclasses
185 values
created_date
timestamp[us]
updated_date
timestamp[us]
repo_name
stringlengths
1
97
repo_full_name
stringlengths
7
106
star
int64
1k
183k
len_tokens
int64
1
13.8M
```xml import { CompoundPredicate, Predicate, ComponentItem } from '@standardnotes/models' import { Migration } from '@Lib/Migrations/Migration' import { ApplicationStage } from '@standardnotes/services' import { ContentType } from '@standardnotes/domain-core' export class Migration2_7_0 extends Migration { static override version(): string { return '2.7.0' } protected registerStageHandlers(): void { this.registerStageHandler(ApplicationStage.FullSyncCompleted_13, async () => { await this.deleteBatchManagerSingleton() this.markDone() }) } private async deleteBatchManagerSingleton() { const batchMgrId = 'org.standardnotes.batch-manager' const batchMgrPred = new CompoundPredicate('and', [ new Predicate<ComponentItem>('content_type', '=', ContentType.TYPES.Component), new Predicate<ComponentItem>('identifier', '=', batchMgrId), ]) const batchMgrSingleton = this.services.singletonManager.findSingleton(ContentType.TYPES.Component, batchMgrPred) if (batchMgrSingleton) { await this.services.mutator.setItemToBeDeleted(batchMgrSingleton) } } } ```
/content/code_sandbox/packages/snjs/lib/Migrations/Versions/2_7_0.ts
xml
2016-12-05T23:31:33
2024-08-16T06:51:19
app
standardnotes/app
5,180
237
```xml <!-- ~ ~ ~ path_to_url ~ ~ Unless required by applicable law or agreed to in writing, software ~ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <vector xmlns:android="path_to_url" xmlns:tools="path_to_url" android:width="48dp" android:height="48dp" android:tint="?attr/colorControlNormal" android:viewportHeight="960" android:viewportWidth="960" tools:ignore="NewApi"> <path android:fillColor="@android:color/white" android:pathData="M378,714L154,490L197,447L378,628L762,244L805,287L378,714Z" /> </vector> ```
/content/code_sandbox/catalog/java/io/material/catalog/materialswitch/res/drawable/mtrl_ic_check.xml
xml
2016-12-05T16:11:29
2024-08-16T17:51:42
material-components-android
material-components/material-components-android
16,176
172
```xml import { Datum, TooltipProps } from '@nivo/waffle' export const CustomTooltip = ({ data }: TooltipProps<Datum>) => ( <div style={{ backgroundColor: '#eeeeee', padding: '12px', borderRadius: '3px', color: data.color, display: 'grid', gridTemplateColumns: '1fr 1fr', gridColumnGap: '12px', boxShadow: '2px 5px 5px #00000033', }} > <span style={{ fontWeight: 600 }}>label</span> <span>{data.label}</span> <span style={{ fontWeight: 600 }}>id</span> <span>{data.id}</span> <span style={{ fontWeight: 600 }}>value</span> <span>{data.value}</span> <span style={{ fontWeight: 600 }}>groupIndex</span> <span>{data.groupIndex}</span> <span style={{ fontWeight: 600 }}>color</span> <span>{data.color}</span> </div> ) ```
/content/code_sandbox/storybook/stories/waffle/CustomTooltip.tsx
xml
2016-04-16T03:27:56
2024-08-16T03:38:37
nivo
plouc/nivo
13,010
233
```xml import chai from 'chai'; import chaiAsPromised from 'chai-as-promised'; import * as http from 'http'; import { waitForServerReady } from './proxy'; chai.use(chaiAsPromised); const { expect } = chai; // Little function to mock out an Event Emitter const fakeServer = (event: string) => ({ on: (registeredEvent: string, cb: any) => { if (registeredEvent === event) { cb(); } }, }); describe('#waitForServerReady', () => { context('when the server starts successfully', () => { it('returns a successful promise', () => { const res = waitForServerReady(fakeServer('listening') as http.Server); return expect(res).to.eventually.be.fulfilled; }); }); context('when the server fails to start', () => { it('returns an error', () => { const res = waitForServerReady(fakeServer('error') as http.Server); return expect(res).to.eventually.be.rejected; }); }); }); ```
/content/code_sandbox/src/dsl/verifier/proxy/proxy.spec.ts
xml
2016-06-03T12:02:17
2024-08-15T05:47:24
pact-js
pact-foundation/pact-js
1,596
226
```xml <?xml version="1.0" encoding="UTF-8"?> <beans xmlns="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url"> <bean class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer" /> <bean id="dataSource" class="org.springframework.jdbc.datasource.TransactionAwareDataSourceProxy"> <property name="targetDataSource"> <bean class="org.springframework.jdbc.datasource.SimpleDriverDataSource"> <property name="driverClass" value="${jdbc.driver:org.h2.Driver}" /> <property name="url" value="${jdbc.url:jdbc:h2:mem:flowable;DB_CLOSE_DELAY=1000}" /> <property name="username" value="${jdbc.username:sa}" /> <property name="password" value="${jdbc.password:}" /> </bean> </property> </bean> <bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager"> <property name="dataSource" ref="dataSource"/> </bean> <bean id="processEngineConfiguration" class="org.flowable.spring.SpringProcessEngineConfiguration"> <property name="dataSource" ref="dataSource"/> <property name="transactionManager" ref="transactionManager"/> <property name="databaseSchemaUpdate" value="true"/> <property name="flowable5CompatibilityEnabled" value="true" /> <property name="flowable5CompatibilityHandlerFactory" ref="flowable5CompabilityFactory" /> <property name="asyncExecutorActivate" value="true"/> <property name="jobExecutor" ref="springJobExecutor"/> <property name="deploymentResources"> <list> <value>classpath:/org/activiti/spring/test/components/SpringTimersProcess.bpmn20.xml</value> <value>classpath:/org/activiti/spring/test/components/SpringJobExecutorRollBack.bpmn20.xml</value> </list> </property> </bean> <bean id="processEngine" class="org.flowable.spring.ProcessEngineFactoryBean"> <property name="processEngineConfiguration" ref="processEngineConfiguration"/> </bean> <bean id="repositoryService" factory-bean="processEngine" factory-method="getRepositoryService"/> <bean id="runtimeService" factory-bean="processEngine" factory-method="getRuntimeService"/> <bean id="taskService" factory-bean="processEngine" factory-method="getTaskService"/> <bean id="historyService" factory-bean="processEngine" factory-method="getHistoryService"/> <bean id="managementService" factory-bean="processEngine" factory-method="getManagementService"/> <bean id="springJobExecutor" class="org.activiti.spring.SpringJobExecutor"> <property name="taskExecutor"> <bean class="org.springframework.core.task.SyncTaskExecutor"/> </property> </bean> <bean id="flowable5CompabilityFactory" class="org.activiti.compatibility.spring.SpringFlowable5CompatibilityHandlerFactory" /> </beans> ```
/content/code_sandbox/modules/flowable5-spring-test/src/test/resources/org/activiti/spring/test/components/SpringjobExecutorTest-context.xml
xml
2016-10-13T07:21:43
2024-08-16T15:23:14
flowable-engine
flowable/flowable-engine
7,715
650
```xml /// /// /// /// path_to_url /// /// Unless required by applicable law or agreed to in writing, software /// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. /// import { Component, Inject, OnInit, ViewChild } from '@angular/core'; import { MAT_DIALOG_DATA, MatDialogRef } from '@angular/material/dialog'; import { Store } from '@ngrx/store'; import { AppState } from '@core/core.state'; import { UntypedFormBuilder, UntypedFormGroup } from '@angular/forms'; import { Observable, ReplaySubject } from 'rxjs'; import { Router } from '@angular/router'; import { DialogComponent } from '@app/shared/components/dialog.component'; import { AlarmInfo, alarmSeverityColors, alarmSeverityTranslations, AlarmStatus, alarmStatusTranslations } from '@app/shared/models/alarm.models'; import { AlarmService } from '@core/http/alarm.service'; import { tap } from 'rxjs/operators'; import { DatePipe } from '@angular/common'; import { TranslateService } from '@ngx-translate/core'; import { AlarmCommentComponent } from '@home/components/alarm/alarm-comment.component'; import { MillisecondsToTimeStringPipe } from '@shared/pipe/milliseconds-to-time-string.pipe'; import { UtilsService } from '@core/services/utils.service'; export interface AlarmDetailsDialogData { alarmId?: string; alarm?: AlarmInfo; allowAcknowledgment: boolean; allowClear: boolean; displayDetails: boolean; allowAssign: boolean; } @Component({ selector: 'tb-alarm-details-dialog', templateUrl: './alarm-details-dialog.component.html', styleUrls: ['./alarm-details-dialog.component.scss'] }) export class AlarmDetailsDialogComponent extends DialogComponent<AlarmDetailsDialogComponent, boolean> implements OnInit { alarmId: string; alarmFormGroup: UntypedFormGroup; allowAcknowledgment: boolean; allowClear: boolean; displayDetails: boolean; allowAssign: boolean; loadAlarmSubject = new ReplaySubject<AlarmInfo>(); alarm$: Observable<AlarmInfo> = this.loadAlarmSubject.asObservable().pipe( tap(alarm => this.loadAlarmFields(alarm)) ); alarmSeverityColorsMap = alarmSeverityColors; alarmStatuses = AlarmStatus; alarmUpdated = false; @ViewChild('alarmCommentComponent', { static: true }) alarmCommentComponent: AlarmCommentComponent; constructor(protected store: Store<AppState>, protected router: Router, private datePipe: DatePipe, private millisecondsToTimeStringPipe: MillisecondsToTimeStringPipe, private translate: TranslateService, @Inject(MAT_DIALOG_DATA) public data: AlarmDetailsDialogData, private alarmService: AlarmService, private utils: UtilsService, public dialogRef: MatDialogRef<AlarmDetailsDialogComponent, boolean>, public fb: UntypedFormBuilder) { super(store, router, dialogRef); this.allowAcknowledgment = data.allowAcknowledgment; this.allowClear = data.allowClear; this.displayDetails = data.displayDetails; this.allowAssign = data.allowAssign; this.alarmFormGroup = this.fb.group( { originatorName: [''], alarmSeverity: [''], startTime: [''], duration: [''], type: [''], alarmStatus: [''], alarmDetails: [null] } ); if (!this.data.alarm) { this.alarmId = this.data.alarmId; this.loadAlarm(); } else { this.alarmId = this.data.alarm?.id?.id; setTimeout(() => { this.loadAlarmSubject.next(this.data.alarm); }, 0); } } loadAlarm() { this.alarmService.getAlarmInfo(this.alarmId, {ignoreLoading: true}).subscribe( alarm => this.loadAlarmSubject.next(alarm) ); } loadAlarmFields(alarm: AlarmInfo) { this.alarmFormGroup.get('originatorName') .patchValue(alarm.originatorLabel ? alarm.originatorLabel : alarm.originatorName); this.alarmFormGroup.get('alarmSeverity') .patchValue(this.translate.instant(alarmSeverityTranslations.get(alarm.severity))); if (alarm.startTs) { this.alarmFormGroup.get('startTime') .patchValue(this.datePipe.transform(alarm.startTs, 'yyyy-MM-dd HH:mm:ss')); } if (alarm.startTs || alarm.endTs) { let duration = ''; if (alarm.startTs && (alarm.status === AlarmStatus.ACTIVE_ACK || alarm.status === AlarmStatus.ACTIVE_UNACK)) { duration = this.millisecondsToTimeStringPipe.transform(Date.now() - alarm.startTs); } if (alarm.endTs && (alarm.status === AlarmStatus.CLEARED_ACK || alarm.status === AlarmStatus.CLEARED_UNACK)) { duration = this.millisecondsToTimeStringPipe.transform(alarm.endTs - alarm.startTs); } this.alarmFormGroup.get('duration').patchValue(duration); } this.alarmFormGroup.get('type').patchValue(this.utils.customTranslation(alarm.type, alarm.type)); this.alarmFormGroup.get('alarmStatus') .patchValue(this.translate.instant(alarmStatusTranslations.get(alarm.status))); this.alarmFormGroup.get('alarmDetails').patchValue(alarm.details); } ngOnInit(): void { } close(): void { this.dialogRef.close(this.alarmUpdated); } acknowledge(): void { if (this.alarmId) { this.alarmService.ackAlarm(this.alarmId).subscribe( () => { this.alarmUpdated = true; this.loadAlarm(); this.alarmCommentComponent.loadAlarmComments(); } ); } } clear(): void { if (this.alarmId) { this.alarmService.clearAlarm(this.alarmId).subscribe( () => { this.alarmUpdated = true; this.loadAlarm(); this.alarmCommentComponent.loadAlarmComments(); } ); } } onReassign(): void { this.alarmUpdated = true; this.loadAlarm(); this.alarmCommentComponent.loadAlarmComments(); } } ```
/content/code_sandbox/ui-ngx/src/app/modules/home/components/alarm/alarm-details-dialog.component.ts
xml
2016-12-01T09:33:30
2024-08-16T19:58:25
thingsboard
thingsboard/thingsboard
16,820
1,294
```xml <?xml version="1.0" encoding="utf-8"?> <resources> <string name="title_activity_bluetooth_scan">Recherche Bluetooth</string> <string name="connected">Connect</string> <string name="disconnected">Dconnect</string> <string name="menu_scan">Balayage</string> <string name="menu_stop">Arrter</string> <string name="menu_refresh">Rafrachir</string> <string name="menu_export_database">Exporter la base de donnes</string> <string name="menu_export_csv_sidiary">Exporter en CSV (format SiDiary)</string> <string name="menu_import_db">Importer la base de donnes</string> <string name="error_bluetooth_not_supported">Erreur: Bluetooth nest pas pris en charge par ce dispositif</string> <string name="unknown_device">Priphrique non reconnu</string> <string name="connecting_to_device">Connection au priphrique</string> <string name="title_activity_raw_data_table">Table des donnes brutes</string> <string name="title_activity_calculated_data_table">Table de donnes calcules</string> <string name="title_activity_start_new_sensor">Dmarrer un nouveau capteur</string> <string name="title_activity_new_sensor_location">Emplacement du nouveau capteur</string> <string name="title_activity_stop_sensor">Arrt du capteur</string> <string name="title_activity_nav_drawer">Menu de Navigation</string> <string name="navigation_drawer_open">Ouvrir la fentre de navigation</string> <string name="navigation_drawer_close">Fermer la fentre de navigation</string> <string name="title_activity_calibration_check_in">Activit de Calibration</string> <string name="title_activity_usb_connected">Activit USB Connect</string> <string name="snooze">Mise en veille</string> <string name="snooze_hint">Arrter l\'alerte pendant x minutes</string> <string name="ok">D\'accord</string> <string name="cancel">Annuler</string> <string name="no">Non</string> <string name="pref_sensor_location_dont_ask_again"> Ne pas me demander nouveau</string> <string name="title_activity_error">"venements et erreurs"</string> <string name="title_activity_main">Activit principale</string> <string name="title_activity_fake_numbers">Nombres fictifs</string> <string name="title_activity_edit_alert">Modifier l\'alerte</string> <string name="title_activity_double_calibration">talonnage initial</string> <string name="title_activity_calibration_override">Outrepasser l\'talonnage</string> <string name="pref_header_cloud_storage">Stockage Cloud</string> <string name="auto_configure_title">Configuration automatique</string> <string name="prefs_auto_config_summary">Configuration automatique en utilisant un code-barres.</string> <string name="auto_config_cam_title">Camra</string> <string name="auto_config_cam_summary">Scannez un QR code avec votre mobile (recommand)</string> <string name="auto_config_image_title">Fichier image</string> <string name="auto_config_image_summary">Vous pouvez enregistrer un code QR en tant que fichier image (comme .png ou .jpeg) sur votre mobile. Ensuite, utilisez cette option pour scanner le code QR du fichier enregistr.</string> <string name="scan_share2_barcode">Numriser le code-barres Share</string> <string name="pref_share2_scan_barcode_summary">Ou scanner le code-barres sur le rcepteur Share</string> <!-- MongoDB Settings --> <string name="pref_title_mongodb">MongoDB</string> <string name="pref_summary_mongodb_enabled">Tlchargement direct de la base de donnes, non recommand pour Nightscout</string> <string name="pref_title_mongodb_uri">URI</string> <string name="pref_dialog_mongodb_uri">Entrer l\'URI MongoDB\"</string> <string name="pref_message_mongodb_uri">Remplacer les valeurs exemples entre {} avec vos valeurs correctes</string> <string name="pref_default_mongodb_uri">mongodb://{user}:{password}@{host}.mongolab.com:{11111}/{database}</string> <string name="pref_title_mongodb_collection">Nom de la Collection</string> <string name="pref_dialog_mongodb_collection">Entrer le nom de la Collection</string> <string name="pref_message_mongodb_collection">Ceci est le nom de la collection o les donnes MGC seront enregistres</string> <string name="pref_title_mongodb_device_status_collection">Nom de la Collection d\'tat du priphrique</string> <string name="pref_dialog_mongodb_device_status_collection">Entrez le nom de la Collection du priphrique\"</string> <string name="pref_message_mongodb_device_status_collection">Ceci est le nom de la collection o les donnes sur la batterie et le priphrique seront enregistres</string> <!-- API Settings --> <string name="pref_title_api">Synchronisation Nightscout (REST-API)</string> <string name="pref_title_api_enabled">Active</string> <string name="pref_summary_api_enabled">L\'API REST est le moyen standard de se connecter Nightscout</string> <string name="pref_title_api_url">URL de base</string> <string name="pref_dialog_api_url">Entrer l\'URL de base API</string> <string name="pref_message_api_url">Cela ne que l\'URL de base, le tlchargeur ajoutera automatiquement / entres pour le POST. API_SECRET sur le serveur doit correspondre yourpassphrase dans ce cadre.</string> <string name="pref_default_api_url">path_to_url{VOTRE-SITE}.azurewebsites.net/api/v1/</string> <!-- wifi Settings --> <string name="wifi_recievers_dialog_message">Liste des ip:port spars par des virgules (exemple : 37.142.132.220:50005,37.142.132.220:50010,mongodb://user:pass@ds053958.mongolab.com:53958/db/collection)</string> <string name="wifi_recievers_dialog_title">Entrer les adresses ip et ports des rcepteurs (y compris les adresses MongoDB si ncessaire)</string> <!-- Location Settings --> <string name="location_not_found_title">La localisation n\'est pas active</string> <string name="location_not_found_message">Afin que la recherche par Bluetooth puisse marcher sur les nouveaux appareils, la localisation doit tre active. xDrip ne suit pas votre position, sauf lorsque vous activez l\'option Message d\'Urgence</string> <string name="location_yes">Activer</string> <!-- broadcast settings --> <string name="pref_title_broadcast_enabled">Diffusion locale</string> <string name="pref_summary_broadcast_enabled">Activer la diffusion locale de donnes pour que d\'autres applications (par exemple NightWatch) puisse couter les nouvelles valeurs</string> <string name="title_activity_share_test">Test Share</string> <!-- pebble settings --> <string name="pref_pebble_trend_watchface">Utiliser le cadran Pebble Tendances</string> <string name="pref_summary_pebble_trend_watchface">Utiliser/installer le Cadran Pebble Tendances (exprimental)</string> <string name="pref_pebble_display_trend">Afficher la Tendance</string> <string name="pref_summary_display_trend">Afficher la tendance de glycmie sur le cadran de la montre Pebble xDrip.</string> <string name="pref_pebble_display_high_line">Afficher la limite leve</string> <string name="pref_pebble_display_low_line">Afficher la limite basse</string> <!-- Amazfit Settings --> <string name="amazfit_sync_service">Service de synchronisation AmazFit</string> <string name="pref_amazfit_enable_summary">Activer le support de donnes Amazfit</string> <string name="pref_amazfit_enable">Activer</string> <string name="pref_amazfit_tile">Service Amazfit</string> <string name="pref_amazfit_BG_alert_enable_summary">Envoie des alertes de glycmie sur montre intelligente</string> <string name="pref_amazfit_BG_alert_enable">Activer</string> <string name="pref_amazfit_BG_alert_title">Alertes de glycmie</string> <string name="pref_amazfit_other_alert_enable_summary">Envoie d\'autres alertes la montre intelligente</string> <string name="pref_amazfit_other_alert_enable">Activer</string> <string name="pref_amazfit_other_alert_title">Autres alertes</string> <string name="pref_amazfit_watchface_graph_dots_title">Points de graphique du cadran</string> <string name="pref_amazfit_watchface_graph_dots_summary">Affiche des minuscules points au lieu de petits points</string> <string name="pref_amazfit_watchface_graph_enable">Activer</string> <string name="pref_amazfit_watchface_graph_title">Graphique de cadran</string> <string name="pref_amazfit_watchface_graph_enable_summary">Affiche le graphique en arrire-plan du cadran</string> <string name="pref_amazfit_watchface_graph_hours_title">Graphique de cadran</string> <string name="pref_amazfit_watchface_graph_hours_summary">dfinir combien d\'heures dans le graphique</string> <string name="pref_amazfit_widget_graph_hours_title">Graphique du widget</string> <string name="pref_amazfit_widget_graph_hours_summary">dfinir combien d\'heures dans le graphique</string> <string name="pref_amazfit_widget_graph_dots_title">Points sur le graphique du widget</string> <string name="pref_amazfit_widget_graph_dots_summary">Affiche des minuscules points au lieu de petits points</string> <string name="pref_amazfit_widget_graph_enable">Activer</string> <string name="pref_amazfit_widget_graph_title">Graphique du widget</string> <string name="pref_amazfit_widget_graph_enable_summary">Affiche le graphique dans le widget</string> <string name="pref_amazfit_watchface_settings">Paramtres Watchface (peut ncessiter plus de batterie)</string> <string name="pref_amazfit_widget_settings">Paramtres du widget (peut ncessiter plus de batterie)</string> <string name="toast_crash">Quelque chose a mal tourn :( un rapport a t envoy pour aider rsoudre le problme.</string> <string name="taskerConfigInstruction">Il suffit de cliquer sur l\'icne Cocher ici pour confirmer. Vous ne devriez pas avoir besoin de changer la chane de configuration.</string> <string name="taskerConfiguration">Configuration Tasker</string> <string name="finish_preferences_activity">Terminer l\'activit des prfrences</string> <string name="add_widget">Ajouter un widget</string> <string name="title_activity_alert_list">Liste d\'alertes</string> <string name="speaktreatment">Prononcer le traitement</string> <string name="title_activity_update">Mise jour xDrip+ disponible</string> <string name="title_activity_display_qrcode">Partager les paramtres via le code QR</string> <string name="title_activity_send_feed_back">Envoyer des commentaires Jamorham</string> <string name="title_activity_save_logs">Sauvegarder le journal</string> <string name="title_activity_maps">Carte Parakeet</string> <string name="title_activity_display_preferences">Prfrences d\'affichage</string> <string name="export_submenu">Fonctionnalits Import / Export</string> <string name="action_resend_to_watch">Renvoyer la glycmie vers la montre</string> <string name="action_open_watch_setting">Ouvrir les paramtres sur Wear OS</string> <string name="action_sync_watch_db">Rinitialiser la DB Wear OS</string> <string name="erase">Effacer</string> <string name="interface_tips_from_start">Tous les conseils de l\'interface s\'afficheront nouveau depuis le dbut</string> <string name="note_button">Bouton Note</string> <string name="showcase_note_long">Le bouton Note demande maintenant la saisie vocale.\n\nAppuyez longuement sur celui-ci pour saisir avec le clavier ou modifier des options.</string> <string name="redo_button">Bouton Rtablir</string> <string name="showcase_redo">Le bouton Rtablir peut rtablir les Simulations de Traitements, Calibrations et les Notes\n\nAu bout de 30 minutes, il va disparaitre nouveau</string> <string name="undo_button">Bouton Annuler</string> <string name="showcase_undo">Le bouton Annuler peut revenir en arrire les Simulations de Traitements, Calibrations et les Notes\n\nAu bout de 30 minutes, il va disparaitre nouveau</string> <string name="add_note">Ajouter une note</string> <string name="blood_test">Glycmie</string> <string name="share">Partager</string> <string name="title_activity_profile_editor">Editeur de profil de traitement</string> <string name="first_use_menu_to_scan">Utilisez d\'abord le menu pour scanner votre appareil BT ou modifier la source de donnes dans les paramtres!</string> <string name="first_configure_ip_address">Configurez d\'abord l\'adresse IP de votre lecteur WiFi Wixel ou l\'url Parakeet</string> <string name="now_start_your_sensor">Maintenant, dmarrer votre capteur ou vrifier les paramtres</string> <string name="please_wait_while_sensor_warms_up">S\'il vous plat patienter pendant que le capteur se rchauffe! (</string> <string name="minutes_with_bracket">" minutes)"</string> <string name="possible_bad_calibration">Possible mauvaise pente de calibration, allez boire un verre d\'eau, lavez-vous les mains, puis recalibrez dans quelques instants!</string> <string name="please_wait_need_two_readings_first">L\'metteur ncessite 2 lectures supplmentaires.</string> <string name="please_enter_two_calibrations_to_get_started">Veuillez effectuer deux talonnages pour commencer!</string> <string name="now_pair_with_your_dexcom_share">Maintenant jumeler avec votre Dexcom Share</string> <string name="now_choose_start_sensor_in_settings">Maintenant, choisissez dmarrer votre capteur dans vos paramtres</string> <string name="double_check_dex_receiver_serial_number">Vrifier le numro de srie du rcepteur Dex, il devrait tre de 10 caractres, ne pas oublier les lettres</string> <string name="please_set_dex_receiver_serial_number">S\'il vous plat configurer votre numro de srie Dex Receiver dans les paramtres de l\'App</string> <string name="unfortunately_andoird_version_no_blueooth_low_energy">Malheureusement votre version Android ne supporte pas le Bluetooth Low Energy</string> <string name="waiting_for_packet">En attente de paquets</string> <string name="persistent_high_for_greater_than">Haut persistante pour &gt; </string> <string name="space_mins">" mins"</string> <string name="till">jusqu\'</string> <string name="low_predicted">Prediction d\'hypoglycmie</string> <string name="in">dans</string> <string name="yes_enter_setup_mode">Oui, entrer en mode de configuration</string> <string name="nokeep_parakeet_as_it_is">Non, garder Parakeet comme il est</string> <string name="are_you_sure_you_want_switch_parakeet_to_setup">tes-vous sr de vouloir mettre le Parakeet en mode de configuration?\n\nNormalement, c\'est seulement utilis pour envoyer d\'autres messages textes au Parakeet pour reconfigurer l\'metteur sur lequel il coute, etc.</string> <string name="split_delete_or_do_nothing">Couper, supprimer ou ne rien faire</string> <string name="split_this_block_in_two">Diviser ce bloc en deux</string> <string name="delete_this_time_block">Supprimer ce bloc de temps</string> <string name="cancel_do_nothing">Annuler - ne rien faire</string> <string name="added">Ajoute</string> <string name="checking_for_update">Vrification de la mise jour...</string> <string name="signal_missed">Signal manqu</string> <string name="minutes_ago">{0, choice,0#{0, number, integer} Minutes|1#{0, number, integer} Minute|1&lt;{0, number, integer} Minutes}</string> <string name="expires_days">{0, choice,0# Capteur expir!|1# Finit dans {0, number} jour|1&lt;Finit dans {0, number} jours}</string> <string name="expires_at">Finit {0}</string> <string name="space_minutes_ago">" Minutes"</string> <string name="in_libre_all_house_mode_no_readings_collected_yet">"Mode Libre dans toute la maison : pas encore de lectures collectes."</string> <string name="in_libre_all_house_mode_last_data_collected">"Mode Libre dans toute la maison : dernire lecture "</string> <string name="space_minute_ago">" Minute"</string> <string name="show_parakeet_map">Afficher la carte Parakeet</string> <string name="switch_parakeet_to_setup_mode">Mettre le Parakeet en mode de configuration</string> <string name="view_events_log">Afficher le journal d\'vnements</string> <string name="show_libre_trend">Afficher la tendance du Freestyle Libre</string> <string name="libre_15_minutes_graph">Graphe 15 minutes du Libre</string> <string name="libre_last_x_minutes_graph">Graphe des dernires %d minutes du Libre</string> <string name="share_config_via_qr_code">Partager la config via le code QR</string> <string name="check_for_updated_version">Vrifier les mises jour</string> <string name="current_version_is_up_to_date">Pas de mise jour disponible dans le canal slectionn</string> <string name="send_feedback_to_developer">Envoyer des messages au dveloppeur</string> <string name="home_screen">cran d\'accueil</string> <string name="event_logs">Journal des vnements</string> <string name="calibration_graph">Graphe de calibration</string> <string name="glucose_units">Unit de glycmie</string> <string name="mmol_or_mgdl_high_and_low">mmol/l ou mg/dl Haute et Basse</string> <string name="general_settings">Paramtres Gnraux</string> <string name="high_value">Valeur Haute</string> <string name="low_value">Valeur Basse</string> <string name="stats_range_settings">Paramtres de la plage: </string> <string name="end_user_license_agreement">Contrat de licence de l\'utilisateur final</string> <string name="save">Sauver</string> <string name="view_important_warning">Voir les avertissements importants</string> <string name="view_google_licenses">Voir les Licences Google</string> <string name="not_for_medical_use">Non destin l\'usage mdical - outil de recherche uniquement</string> <string name="deel_settings_for_algs">Paramtres avancs pour les algorithmes</string> <string name="low_level_prediction_values">Valeurs de niveau de prdiction d\'hypoglycmie</string> <string name="glucose_drop_for_one_unit">Baisse de la glycmie pour 1 Unit</string> <string name="xdrip_plus_prediction_settings">xDrip+ Paramtres de simulation prdictive</string> <string name="settings_for_syncing">Paramtres pour la sync entre appareils</string> <string name="xdrip_plus_sync_settings">xDrip+ Paramtres de synchronisation</string> <string name="xdrip_plus_update_settings">xDrip+ Paramtres de mise jour</string> <string name="automatic_update_check">Vrification automatique de mise jour</string> <string name="update_channel">Mise jour du Canal</string> <string name="send_crash_errors_to_developer">Envoyer les rapports d\'erreurs au dveloppeur</string> <string name="automatic_crash_reporting">Rapport d\'erreurs automatique</string> <string name="send_feedback_message">Envoyer des commentaires</string> <string name="copying_settings">Copie de paramtres</string> <string name="show_settings_qr_codes">Afficher les paramtres codes QR</string> <string name="load_save_settings_to_sdcard">Charger / Enregistrer les paramtres sur la carte SD</string> <string name="alarms_and_alerts">Alarmes et alertes</string> <string name="alerts_and_notifications">Alertes et notifications</string> <string name="glucose_level_alerts_list">Liste des alertes de niveau de glycmie</string> <string name="glucose_alerts_settings">Paramtres d\'alertes glycmiques</string> <string name="smart_snoozing">Mise en veille intelligente</string> <string name="calibration_alerts">Alertes de calibration</string> <string name="missed_reading_alert">Alerte lecture manque</string> <string name="other_alerts">Autres alertes</string> <string name="extra_alerts_xdrip_plus">Alertes supplmentaires (xDrip+)</string> <string name="persistent_high_alert">Alerte Hyper persistante</string> <string name="forecasted_low_alert">Alerte de previsions d\'hypoglycmie</string> <string name="extrapolate_data_to_try_to_predict_lows">Extrapoler les donnes pour essayer de prvoir les hypoglycmies</string> <string name="alarm_at_forecasted_low_mins">Dlai de prvisions d\'hypoglycmies en minutes</string> <string name="other_xdrip_plus_alerts">Autres alertes xDrip+</string> <string name="xdrip_plus_display_settings">xDrip+ Paramtres d\'affichage</string> <string name="display_customisations">Afficher les personnalisations</string> <string name="insulin_carb_ratios_etc_for_models">Insuline, ratios de glycmie, etc par modles</string> <string name="grams_of_carbohydrate_one_unit_covers">Ratio insuline:glucides 1u pour X grammes de glucides</string> <string name="linear_model_carbs_absorbed_per_hour">Glucides linaires absorbs par heure</string> <string name="carb_absorption_rate">Taux d\'absorption de glucides</string> <string name="calculate_including_glucose_trend">Calculer y compris la tendance de glycmie</string> <string name="use_trend_momentum">Utiliser la tendance dynamique</string> <string name="add_calibration">Ajouter Calibration</string> <string name="system_status">tat du systme</string> <string name="settings">Paramtres</string> <string name="calibration_data_table">Tableau de calibrations</string> <string name="bg_data_table">Tableau de donnes de glycmie</string> <string name="cannot_calibrate_right_now">Vous ne pouvez pas calibrer maintenant</string> <string name="hardware_data_source">Source de donnes matrielle</string> <string name="enter_ten_character_dexcom_receiver_serial">Entrer les 10 caractres du numro de srie du Dexcom</string> <string name="dexcom_transmitter_id">ID de l\'metteur Dexcom</string> <string name="run_collector_in_foreground">Excutez Collector au premier plan</string> <string name="shows_a_persistent_notification">Affiche un graphique de notification persistant, visible sur l\'cran verrouille et empche android de mettre fin au service.</string> <string name="list_of_receivers">Liste des rcepteurs</string> <string name="extra_tags_for_logging">Balises supplmentaires pour le log</string> <string name="extra_tags_dialog_message">Les balises saisies ici seront enregistres dans xDrip. Le format est tag:niveau. Le niveau peut tre v, d, i. Par exemple bgreading:i, DexCollectionService:v. Cette balises seront enregistres avec une faible priorit en Erreur dans la liste d\'vnements.</string> <string name="extra_tags_dialog_title">Entrez les mots cls pour tre enregistr</string> <string name="data_source_settings">Paramtres de la source de donnes</string> <string name="smart_watch_features">Options montre intelligente</string> <string name="wear_integration">Intgration Wear OS</string> <string name="send_data_to_android_wear_watch">Envoyer les donnes au cadran Wear OS.</string> <string name="android_wear_integration">Intgration Wear OS</string> <string name="pref_enable_wearG5">Activer le Service de collecte Wear</string> <string name="pref_summary_enable_wearG5">Connecter Wear au collecteur BT lorsque le tlphone est hors de porte</string> <string name="pref_force_wearG5">Forcer le Service de collecte Wear</string> <string name="pref_summary_force_wearG5">Forcer le tlphone utiliser le Service de collecte Wear</string> <string name="pref_disable_wearG5_on_lowbattery">Dsactiver le forage en cas de batterie faible</string> <string name="pref_summary_disable_wearG5_on_lowbattery">Dsactiver le forage du Service de Collection Wear en cas de batterie faible</string> <string name="pref_disable_wearG5_on_missedreadings">Dsactiver le forage vers Wear en cas de lectures manques</string> <string name="pref_summary_disable_wearG5_on_missedreadings">Dsactiver le forage du Service de Collecte Wear si des Minutes sont passes depuis la dernire lecture</string> <string name="pref_disable_wearG5_on_missedreadings_level">Minutes depuis la dernire lecture de Wear</string> <string name="pref_node_wearG5">Priphrique qui excute le Service de Collecte</string> <string name="pref_summary_node_wearG5">Forcer le tlphone utiliser ce Service de Collecte Wear</string> <string name="pref_sync_wear_logs">Synchroniser les logs Wear</string> <string name="pref_summary_sync_wear_logs">Envoyer les logs Wear vers lobservateur dvnements</string> <string name="pref_wear_logs_prefix">Prfixe des logs Wear</string> <string name="pref_summary_wear_logs_prefix">Prfixe utilis pour les entres de logs pour Wear</string> <string name="pref_show_treatments">Afficher les Traitements</string> <string name="pref_summary_show_treatments">Afficher les points de Traitements sur le graphique</string> <string name="pref_use_wear_health">Utiliser les donnes de sant Wear</string> <string name="pref_summary_use_wear_health">Collecter et afficher le compteur de pas lorsque disponible</string> <string name="pebble_integration">Intgration Pebble</string> <string name="send_data_to_pebble_watchface">Envoyer des donnes au cadran Pebble.</string> <string name="pebble_watch_integration">Intgration de la montre Pebble</string> <string name="standard_or_trend_pebble_watchface">Cadran Pebble Standard ou Tendances</string> <string name="choose_pebble_watchface">Choisir le Cadran Pebble</string> <string name="message_to_display_when_bgl_hits">Message afficher lorsque glycmie rencontre la valeur spciale ci-dessus</string> <string name="text_to_display_when_hitting_special_value">Texte afficher lors de frappe de valeur spciale</string> <string name="special_value">Valeur spciale</string> <string name="history">Historique</string> <string name="statistics">Statistiques</string> <string name="snooze_alert">Mise en veille Alertes</string> <string name="less_common_settings">Paramtres moins courants</string> <string name="view_recent_errors_warnings">Voir les erreurs / avertissements rcents</string> <string name="other_settings">Autres rglages</string> <string name="older_gratuitous_wakelocks">Wakelocks anciennes qui peuvent drainer la batterie, mais pourraient tre ncessaires pour NightWatch ou Android Wear</string> <string name="use_excessive_wakelocks">Utilisation Wakelocks excessive</string> <string name="speak_readings">Prononcer les valeurs</string> <string name="extra_status_line">Ligne d\'tat supplmentaire</string> <string name="dexcom_share_server_upload">Uploader sur les serveurs Dexcom Share</string> <string name="upload_data_to_dex_servers">Chargement des donnes vers les serveurs Dexcoms afin que vous puissiez utiliser vos donnes avec des applications Dexcoms</string> <string name="manage_followers">Grer les Abonns</string> <string name="manage_existing_followers">Grer vos Abonns existants et inviter de nouveaux.</string> <string name="invite_follower">Inviter un Suiveur</string> <string name="glucose_calibration_and_other_alerts">Glycmie, calibration et autres alertes</string> <string name="alert_volume_profile">Profil de volume d\'alerte</string> <string name="smart_alerting">Alertes intelligentes</string> <string name="dont_alarm_during_phone_calls">Ne pas alerter pendant les appels tlphoniques</string> <string name="start_snoozed">Dmarrer silencieusement</string> <string name="adjust_all_by_a_factor">Ajustez tous par un facteur</string> <string name="reset">Rinitialiser</string> <string name="pebble_and_android_wear_options">Options pour diffrentes montres</string> <string name="customize_colours">Personnaliser les couleurs</string> <string name="xdrip_plus_color_settings">xDrip+ Couleurs</string> <string name="glucose_values_and_lines">Valeurs et lignes de glycmie</string> <string name="high_glucose_values">Valeurs Hyperglycmies</string> <string name="in_range_glucose_values">Valeurs de glycmie dans la cible</string> <string name="default_color_selected">Couleur par dfaut slectionne</string> <string name="color_bg_values">Couleurs de valeur de glycmie et de flche de tendance</string> <string name="xdrip_plus_extra_settings">xDrip+ Extra</string> <string name="example_chart">Exemple Graphique</string> <string name="treatments_prediction_curves">Traitements / Courbes de prvision</string> <string name="carbs_per_unit">Glucides par unit</string> <string name="everyday">Tous les jours</string> <string name="insulin_sensitivity_glucose_drop_per_unit">Sensibilit l\'insuline : baisse de la glycmie par unit</string> <string name="transmitter_battery">batterie de l\'metteur</string> <string name="very_low">HYPO SVRE</string> <string name="low">hypo</string> <string name="space_units">" units"</string> <string name="units">units</string> <string name="carbs">glucides</string> <string name="when">quand (HHMM)</string> <string name="speak_your_treatment">Prononcer votre traitement par exemple:\nx.x units d\'insuline / xx grammes de glucides</string> <string name="speech_recognition_is_not_supported">La reconnaissance vocale n\'est pas pris en charge</string> <string name="treatment_note">Remarque sur le traitement</string> <string name="accessibility_description">xDrip utilise la fonction d\'Accessibilit seulement pour rgler l\'cran lorsque l\'appareil est verrouill. Ceci n\'est probablement utile que si vous avez un tlphone avec la fonction Always On Display et que vous l\'avez active. xDrip n\'interagit pas avec Android d\'une autre manire.</string> <string name="could_not_export_database">Impossible d\'exporter la base de donnes :(</string> <string name="exported_to">"Export vers "</string> <string name="default_to_voice_input_next_time">Utiliser la saisie vocale la prochaine fois</string> <string name="done">Termin</string> <string name=your_sha256_hash_calibration">La saisie d\'une calibration va maintenant remplacer votre calibration prcdente.</string> <string name="enter_blood_glucose_value">Entrer la valeur de glycmie</string> <string name=your_sha256_hashfferences_for_algorithem_improvement_purposes">Cela ne se sert rien, simplement utilis pour garder la trace des diffrences pour l\'amlioration de l\'algorithme</string> <string name="no_active_alert_exists">Aucune alerte active existe</string> <string name="active_alert_exists_named">L\'alerte Active existe nomme</string> <string name="bracket_not_snoozed">(non mis en veille)</string> <string name="all_alerts_disabled_until">"Toutes les alertes dsactives jusqu' "</string> <string name="low_alerts_disabled_until">"Alertes Basses dsactives jusqu' "</string> <string name="high_alerts_disabled_until">"Alertes Hautes dsactives jusqu' "</string> <string name="default_snooze">Mise en veille par dfaut</string> <string name="until_you_reenable">Jusqu\' ce que vous ractivez</string> <string name="set">Accepter</string> <string name="disable_low_alerts">Dsactiver alertes Basses</string> <string name="re_enable_low_alerts">Re-Activer les alertes Basses</string> <string name="disable_high_alerts">Dsactiver alertes Hautes</string> <string name="re_enable_high_alerts">Re-Activer les alertes Hautes</string> <string name="disable_all_alerts">Dsactiver toutes les alertes</string> <string name="re_enable_all_alerts">Re-activer toutes les alertes</string> <string name="alert_snoozed_by_watch">Alerte en veille par la montre</string> <string name="update_channel_colon_space">"Mise jour Canal: "</string> <string name="a_new_version_is_available">Une nouvelle version est disponible</string> <string name="version_details">Dtails Version</string> <string name="download_now">Tlcharger maintenant</string> <string name="automatically_check_for_updates">Vrifier automatiquement les mises jour</string> <string name="here_you_can_save_the_settings_to_the_external_storage_sdcard">Ici, vous pouvez enregistrer les paramtres vers la mmoire interne (Download/xDrip-export/com.eveningoutpost.dexdrip_preferences.xml).\n\nUne fois enregistrs dans le fichier, il est possible pour toute application de lire les paramtres qui pourraient contenir des informations sensibles.\n\nIl est conseill de supprimer les paramtres une fois que vous les avez imports nouveau si vous tes proccup par cela.</string> <string name="save_all_settings_to_sdcard">Enregistrer tous les paramtres dans le fichier</string> <string name="load_all_settings_from_sdcard">Charger tous les paramtres depuis le fichier</string> <string name="delete_any_settings_on_sdcard">Supprimer le dossier de paramtres (Download/xDrip-export)</string> <string name=your_sha256_hashfeature"><![CDATA[Utilisez les codes QR pour transfrer les paramtres en utilisant Paramtres-> Configuration Automatique]]></string> <string name="xdrip_plus_security_key_settings_only">xDrip+ Cls de Scurit seulement</string> <string name="show_general_and_collection_settings">Afficher les paramtres Gnraux et Collection</string> <string name="copy_all_settings">Copier tous les paramtres</string> <string name="sensor_is_ready_please_enter_double_calibration">Le capteur est prt, veuillez entrer une calibration initiale</string> <string name="in_order_to_get_started_please_perform_two_finger">Pour pouvoir commencer, effectuer deux tests de glycmie capillaire et entrer les valeurs ici!</string> <string name="enter_first_bg_value">Entrer la premire valeur de glycmie</string> <string name="enter_second_bg_value">Entrer la seconde valeur de glycmie</string> <string name="language_editor">Editeur de langue</string> <string name="configure_missed_readings">Configurer les lectures manqus</string> <string name="install_pebble_snooze_control_app">Installer l\'application Pebble Snooze Control</string> <string name="install_pebble_classic_trend_watchface">Installer le Cadran Pebble Tendances Classic</string> <string name="install_pebble_trend_watchface">Installer le Cadran Pebble Tendances</string> <string name="install_pebble_watchface">Installer le Cadran Pebble</string> <string name="glucose_history">Historique Glycmie</string> <string name="import_database">Restaurer la base de donnes</string> <string name="sensor_table">Table du Capteur</string> <string name="bg_readings_table">Tableau des glycmies</string> <string name="long_press_to_split_or_delete">Appui long pour Couper ou Supprimer</string> <string name="press_and_hold_on_the_background_to_split_or_delete">Appuyez et maintenez sur l\'arrire-plan pour couper ou supprimer un bloc de temps</string> <string name="search">Chercher</string> <string name="reset_all_language_data">Rinitialiser toutes les donnes linguistiques</string> <string name="show_only_customized_entries">Afficher uniquement les entres personnalises</string> <string name="settings_on_external_storage">Charger/Sauver les paramtres</string> <string name="get_notified_of_new_apk_releases">tre inform des nouvelles versions disponibles</string> <string name="choose_stable_beta_or_alpha_releases">Choisir version Stable, Bta ou Alpha</string> <string name="web_feedback_form_for_sending_messages">Formulaire pour envoyer des messages et notes de xDrip+ pour les dveloppeurs</string> <string name="be_master_for_followers">Soyez matre pour les Abonns</string> <string name="this_device_will_send_data_to_followers">Cet appareil envoie des donnes aux abonns</string> <string name="send_parakeet_map_location_to_followers">Envoyer la carte de localisation Parakeet aux abonns</string> <string name="sync_parakeet_geolocation">Synchroniser la golocalisation Parakeet</string> <string name="disable_all_sync_features">Dsactiver toutes les fonctionnalits de synchronisation</string> <string name="temporary_work_around_disable_all_sync_detail">Palliatif, arrte compltement toute synchronisation. Peut ncessiter le redmarrage aprs avoir t ractiv. Utiliser avec prcaution!</string> <string name="automatic_updates_crash_reports_and_feedback">Mises jour automatiques, rapports d\'incidents et ractions au dveloppeur</string> <string name="crowd_sourced_translation">Traduction crowdsourcing</string> <string name="please_enter_your_question_or_comments_here">S\'il vous plat entrez votre question ou commentaire.\n\nSi vous fournissez une adresse e-mail, vous pouvez obtenir une rponse. </string> <string name="optional_contact_info_here_eg_email">Information de contact facultative, par exemple email</string> <string name="send_message">Envoyer le message</string> <string name="save_logs">Sauvegarder le journal</string> <string name="please_indicate_what_you_think_of_the_app_generally">S\'il vous plat indiquez ce que vous pensez de l\'application en gnral</string> <string name="log_confidential_note">Attention !\nLes journaux peuvent contenir des informations confidentielles telles que des mots de passe ou des identifiants d\'utilisateur.</string> <string name="preferences_saved_in_sdcard_downloads">Prfrences enregistres dans dossier Downloads sur stockage interne</string> <string name="could_not_write_to_sdcard_check_perms">Impossible d\'crire sur la carte SD - Vrifier les autorisations ?</string> <string name="loaded_preferences_restarting">Prfrences charges! - Redmarrage</string> <string name="could_not_load_preferences_check_pers">Impossible de charger les prfrences - Verifier les autorisations ou la prsence du fichier ?</string> <string name="external_storage_not_writable">Le stockage externe n\'est pas inscriptible</string> <string name="successfully_deleted">Supprim avec succs</string> <string name="deletion_problem">Problme de suppression</string> <string name="sdcard_not_writable_cannot_save">Carte SD non inscriptible - impossible de sauver</string> <string name="sdcard_not_readable">Carte SD non lisible</string> <string name="loading_settings_from_xdrip_mainline">Chargement des paramtres depuis xDrip principal</string> <string name="warning_settings_from_xdrip_and_plus_exist">Les paramtres d\'avertissement de xDrip et xDrip+ existent - Chargement xDrip+</string> <string name="new_version_date_colon">"Date de la nouvelle Version: "</string> <string name="old_version_date_colon">"Date de l'ancienne Version: "</string> <string name="speak_your_note_text">Prononcer les notes textes</string> <string name="alarm_if_above_high_value">Alarme si suprieure la valeur Haute</string> <string name="for_longer_than_minutes">pendant plus de (minutes)</string> <string name="choose_sound_used_for_persistent_high_alarm">Choisir le son utilis pour l\'alarme Haute persistante.</string> <string name="persistent_high_sound">Son pour alerte hyper persistante</string> <string name="forecast_lows">Prvisions Basses</string> <string name="raise_alarm_on_forecast_low">Declencher alarme sur prvision Basse</string> <string name="notify_when_predicted_low_time_reaches_threshold">Notifier lorsque le temps prdit Bas atteint le seuil</string> <string name="predicted_low_sound">Son pour valeurs Bas Prdites</string> <string name="choose_sound_used_for_predicted_low_alarm">Choisir le son utilis pour l\'alarme Basse prdit.</string> <string name="notify_when_parakeet_device_stops_checking_in">Notifier lorsque le dispositif Parakeet arrte le check-in</string> <string name="parakeet_related_alerts">Alertes lies Parakeet</string> <string name="raise_parakeet_notification_silently_when_charging">Dclencher la notification Parakeet silencieusement lors de la charge</string> <string name="silent_alert_when_charging">Alerte silencieuse lors de la charge</string> <string name="alerts_start_out_snoozed_and_must_persist_for_a_while">Les alertes commencent silencieuses et doivent persister pendant un certain temps pour se dclencher</string> <string name="alarms_silenced_during_telephone_calls">Alarmes silencieuses pendant les appels tlphoniques</string> <string name="suppress_alerts_if_missed_readings">Suppression des alertes en cas de lectures manques</string> <string name="bad_noisy_value_alerts">Alertes de valeurs incorrectes (bruit)</string> <string name="keep_snoozing_if_glucose_is_heading_in_right_direction">Rester inactif si la glycmie volue dans la bonne direction</string> <string name="dont_alert_if_glucose_in_right_direction">Ne pas alerter si la glycmie volue dans la bonne direction</string> <string name="calibration_request_sound">Son de demande de calibration</string> <string name="display_filtered_line">Afficher la ligne filtre</string> <string name="show_tiny_dots_instead">Afficher des points minuscules au lieu de petits sur le graphique</string> <string name="displays_the_high_line">Afficher la ligne Haute</string> <string name="displays_the_low_line">Affiche la ligne Basse</string> <string name="set_the_trend_period_to_display">Dfinissez la priode de tendance afficher</string> <string name="trend_time_period">Priode de Tendance</string> <string name="displays_the_delta_value">Afficher la valeur Delta</string> <string name="display_delta">Afficher Delta</string> <string name="displays_the_delta_units">Afficher les units Delta</string> <string name="display_delta_units">Afficher units Delta</string> <string name="displays_the_slope_arrows">Affiche les flches de tendance</string> <string name="display_slope_arrows">Affichage de la flche de tendance</string> <string name="vibrate_watch_to_alert_no_data">Vibrer la montre pour alerter quand nous ne recevons pas les donnes de glycmie</string> <string name="vibrate_when_missed_signal">Vibrer par manque de signal</string> <string name="vibrate_watch_to_alert_no_bluetooth">Faire vibrer la montre pour avertir lorsque bluetooth se dconnecte</string> <string name="vibrate_when_no_bluetooth">Vibrer en cas d\'absence de bluetooth</string> <string name="special_glucose_value_to_display_message">Valeur spciale de la glycmie pour afficher le message ci-dessous</string> <string name="bluetooth_wakelocks">Wakelocks Bluetooth</string> <string name="compatible_broadcast">Diffusion Compatible</string> <string name="show_datatables">Afficher les tables de donnes</string> <string name="display_bridge_battery">Afficher la batterie du transmetteur</string> <string name="close_gatt_on_ble_disconnect">Fermer GATT sur dconnexion BLE</string> <string name="disable_battery_warning">Dsactiver l\'avertissement de batterie</string> <string name="additional_text_status">Statut de texte supplmentaire</string> <string name="average">Moyenne</string> <string name="in_percentage">Pourcentage Dans la plage</string> <string name="high_percentage">Pourcentage Haut</string> <string name="low_percentage">Pourcentage Bas</string> <string name="the_current_time">L\'heure actuelle.</string> <string name="time">Temps</string> <string name="show_extra_line">Afficher la ligne supplmentaire</string> <string name="show_on_widget">Voir sur le widget</string> <string name="calibration_data_long">Donnes de calibration (long)</string> <string name="calibration_data_short">Donnes de calibration (court)</string> <string name="store_sensor_location_to_help">Sauver l\'emplacement du capteur pour aider amliorer l\'algorithme</string> <string name="help_the_developers_improve_the_algorithm">Aider les dveloppeurs amliorer l\'algorithme de xDrip.</string> <string name="help_the_community">Aider la communaut</string> <string name="double_tap_or_pinch_to_zoom">Double clic ou largissement pour zoomer.</string> <string name="start_sensor">Dmarrer le capteur</string> <string name="debug_and_other_misc_options">Debug et autres options</string> <string name="low_glucose_values">Valeurs Hypoglycmies</string> <string name="bad_glucose_values">Mauvaises valeurs glycmiques</string> <string name="revert_to_default">Revenir aux valeurs par dfaut</string> <string name="filtered_values">Valeurs filtres</string> <string name="treatment_color">Couleur de Traitement</string> <string name="treatment_color_dark">Activit de l\'insuline</string> <string name="predictive_color">Prdiction de Glycmie</string> <string name="predictive_color_dark">Prdictions de Glucides actifs</string> <string name="average_and_target_lines">Lignes moyenne et cible</string> <string name="eight_hour_average_line">Ligne Moyenne de 8 heures</string> <string name="twenty_four_hour_average_line">Ligne Moyenne 24 heures</string> <string name="glucose_target_line">Ligne cible de la Glycmie</string> <string name="annotations_and_dots">Annotations et Dots</string> <string name="blood_test_background">Arrire-plan du Test Sanguin</string> <string name="blood_test_foreground">Premier plan pour Test Sanguin</string> <string name="treatment_background">Arrire-plan de Traitement</string> <string name="treatment_foreground">Premier plan de Traitement</string> <string name="backgrounds">Arrire-plans</string> <string name="main_chart_background">Arrire-plan du Graphique Principal</string> <string name="notification_chart_background">Arrire-plan du Graphique de Notification</string> <string name="widget_chart_background">Arrire-plan du Widget Graphique</string> <string name="try_to_work_around_noisy_readings">Essayez de pallier aux valeurs incorrectes</string> <string name="show_tips_hints">Afficher les astuces / conseils dcrivant les fonctions des boutons etc. Dcochez et revrifier pour rinitialiser au dbut</string> <string name="show_interface_hints">Afficher les astuces de l\'interface</string> <string name="show_graph_time_lines">Afficher la grille de lignes de temps</string> <string name="show_graph_glucose_lines">Afficher la grille des lignes de glycmie</string> <string name="display_filtered_plot">Affichage graphique filtre</string> <string name="display_raw_plot_data">Affichage trac de donnes brutes</string> <string name="show_graph_target_line">Afficher la ligne cible</string> <string name="show_graph_recent_average">Afficher le graphique moyenne rcente</string> <string name="show_graph_total_average">Afficher le graphique moyenne totale</string> <string name="show_momentum_working_curve">Afficher la courbe de travail Momentum</string> <string name="show_noise_workings">Afficher le fonctionnement de bruit</string> <string name="parakeet_and_extra_features">Fonctionnalits supplmentaires de test de Parakeet</string> <string name="insulin_duration_hours">Dure de l\'insuline en heures</string> <string name="default_liver_sensitivity_ratio">Ratio de sensibilit du foie par dfaut</string> <string name="key_is_used_instead_of_google_account">Key est utilis au lieu du compte Google</string> <string name="sync_using_custom_security_key">Synchroniser en utilisant la cl de scurit personnalis</string> <string name="handset_group_security_key">Cl de scurit de groupe de dispositifs</string> <string name="handset_sync_grouping_key">Cl de regroupement de synchronisation des appareils</string> <string name="alert_name_colon">Nom de l\'alerte:</string> <string name="threshold_colon">Seuil:</string> <string name="default_snooze_colon">Mise en veille par dfaut:</string> <string name="re_raise_every_x_minutes_if_unaknowledged">Rappeler toutes les\nx minutes si\nnon confirm:</string> <string name="alert_tone_colon">Son d\'alerte:</string> <string name="choose_file">Choisir le fichier</string> <string name="select_time_for_alert_colon">Slectionner la priode de l\'alerte:</string> <string name="all_day">toute la journe</string> <string name="tap_to_change">(Appuyer pour changer)</string> <string name="override_phone_silent_mode_colon">Remplacer le mode silencieux du tlphone:</string> <string name="vibrate_on_alert">Vibrer en cas d\'alerte</string> <string name="test_alert">Alerte de test</string> <string name="disable_alert">Dsactiver l\'alerte</string> <string name="save_alert">Sauver l\'alerte</string> <string name="remove_alert">Supprimer l\'alerte</string> <string name="snooze_alert_before_it_fires">Arrter l\'alerte avant qu\'elle ne dclenche</string> <string name="create_low_alert">Crer alerte Basse</string> <string name="create_high_alert">Crer alerte Haute</string> <string name="long_press_an_existing_alert_to_edit">(Appui long pour modifier une alerte existante)</string> <string name="adding">Ajouter</string> <string name="high">haute</string> <string name="alert">alerte</string> <string name="high_alert">Alerte Haute</string> <string name="low_alert">Alerte Basse</string> <string name="battery">Batterie</string> <string name="xbridge_battery">Batterie xBridge</string> <string name="limitter_battery">Batterie Libre</string> <string name="parakeet_battery">Batterie Parakeet</string> <string name="after_calibration_rewrite_history">Aprs le calibrage, ajustez le graphique brut rcent pour lisser la nouvelle calibration</string> <string name="rewrite_history">Rcriture de l\'historique</string> <string name="grid_time_lines_visible">Grille de lignes de temps visible</string> <string name="grid_glucose_lines_visible">Grille de ligne de glycmie visible</string> <string name="useful_for_noise_and_missed_readings">Utile pour le bruit et les lectures manques</string> <string name="the_standard_xdrip_calculated_value">Les valeurs standards calcules par xDrip</string> <string name="display_ideal_glucose_target_line">Affichage ligne cible de glycmie idale</string> <string name="display_eight_hour_average_line">Afficher la ligne moyenne sur 8 heures</string> <string name="display_twenty_four_hour_average_line">Afficher la ligne moyenne sur 24 heures</string> <string name="predictive_model_inner_workings">Fonctionnement interne du modle de Prdictions</string> <string name="noise_model_inner_workings">Fonctionnement interne du modle de bruit</string> <string name="glucose_number_from_filtered">Numro Glucose de la liste filtre</string> <string name="if_the_phone_has_text_to_speech">Si le tlphone a des capacits text-to-speech, il prononcera chaque nouvelle lecture.</string> <string name="upload_logs">Tlcharger les Logs</string> <string name="short_off_text_for_switches">OFF</string> <string name="short_on_text_for_switches">ON</string> <string name="install_pebble_apps">Installer Pebble Apps</string> <string name="sliding_24_hour_window_summary">Utilisez les dernires 24 heures au lieu de temps partir de minuit pour les statistiques.</string> <string name="sliding_24_hour_window">Fentre coulissante</string> <string name="split">Divis</string> <string name="delete">Effacer</string> <string name="title_activity_btglucose_meter">Scan du Lecteur</string> <string name="notify_when_wear_low_battery">Dsactivation du forage du Service de Collection Wear d la batterie faible!</string> <string name="notify_disable_wearG5_on_missedreadings">Dsactivation du forage du Service de Collecte Wear d aux %1$d minutes de lectures manques depuis la montre!</string> <string name="label_show_insulin">U:%1$su</string> <string name="label_show_carbs">Glucides:%1$sg</string> <string name="label_show_royceratio">G/I :%1$s</string> <string name="label_show_steps">Pas:%1$d</string> <string name="label_show_steps_km">km:%1$s</string> <string name="label_show_steps_mi">mi:%1$s</string> <string name="pref_summary_influxdb_enabled">Si vous utilisez une base de donnes prive InfluxDB, ceci doit tre activ</string> <string name="pref_message_influxdb_uri">Remplacer les valeurs exemples entre {} avec vos valeurs correctes</string> <string name="pref_dialog_influxdb_uri">Entrer lURI InfluxDB</string> <string name="pref_message_influxdb_database">La base de donnes o stocker les mesures. Noubliez pas de la crer sur le serveur.</string> <string name="pref_dialog_influxdb_database">Base de donnes</string> <string name="pref_message_influxdb_username">Nom dutilisateur pour lauthentification. Il est recommand de ne pas permettre son utilisation sans authentification.</string> <string name="pref_dialog_influxdb_username">Utilisateur</string> <string name="pref_message_influxdb_password">Mot de passe pour lauthentification. Il est recommand de ne pas permettre son utilisation sans authentification.</string> <string name="pref_dialog_influxdb_password">Mot de passe</string> <string name="use_tiny_dots">Utiliser des points de petite taille</string> <string name="watch_vibrate_active_alerts">Faire vibrer la montre en cas d\'alertes glycmiques actives</string> <string name="vibrate_alerts">Vibrer en cas d\'alertes</string> <string name="attach_to_button">Attachez-le un bouton Pebble pour mettre en veille instantanment toute alerte active de votre montre. galement pour la fonction de Mise en veille distante.</string> <string name="for_interacting_compatible_apps">Pour interagir avec dautres applications compatibles</string> <string name="interapp_settings">Paramtres inter applications</string> <string name="use_plugins_for_brodcast">Utiliser le lissage du bruit et les plugins (si activs) pour les valeurs diffuses</string> <string name="send_display_glucose">Envoyer la glycmie affiche</string> <string name="send_broadcasts_old_permission_model">Envoyer des broadcasts sans verrouiller le modle de permission ancien</string> <string name="process_nsclient_treatments">Traiter les donnes de traitement reues de NSClient</string> <string name="accept_treatments">Accepter les traitements</string> <string name="process_broadcasted_calibrations">Traiter les calibrations reus partir d\'autres applications</string> <string name="spoken_readings_locale">Paramtres rgionaux utiliss pour les lectures nonces, par exemple: fr ou en_IN</string> <string name="speak_glucose_twice">Prononcer la valeur de glycmie deux fois</string> <string name="short_speak_readings_shortcut">Afficher un raccourci dans le menu pour grer les prononciations de lectures</string> <string name="speak_readings_shortcut">Raccourci pour les lectures prononces</string> <string name="battery_optimization_off">Sur Android 6+ s\'assurer que l\'optimisation de la batterie est dsactive (recommand).</string> <string name="battery_optimization_on">Ne pas continuer demander l\'optimisation de la batterie (non recommand).</string> <string name="battery_optimization_prompt">Invit pour loptimisation de la batterie</string> <string name="advanced_bluetooth_settings">Paramtres Bluetooth avancs</string> <string name="bluetooth_settings">Paramtres Bluetooth</string> <string name="auto_turn_on_bluetooth">Activer automatiquement bluetooth s\'il est teint lorsqu\'on tente de se connecter un priphrique bluetooth</string> <string name="turn_bluetooth_on">Activer le Bluetooth</string> <string name="reset_bluetooth">Rinitialiser Bluetooth en le dsactivant puis ractivant si nous nobtenons rien pendant 20 minutes</string> <string name="bluetooth_watchdog">Garde-fou Bluetooth</string> <string name="reset_bluetooth_g5">Rinitialiser Bluetooth en le dsactivant et activant pour continuer de faire marcher la source de donnes G5. Sans cela, le collecteur G5 peut chouer.</string> <string name="g5_bluetooth_watchdog">Chien de garde Bluetooth Dex</string> <string name="close_gatt">Si le garde-fou Bluetooth s\'active souvent alors vous pouvez essayer de dcocher cette option pour voir si a aide</string> <string name="older_bluetooth_wakelocks">Anciens wakelocks Bluetooth qui peuvent drainer la batterie un peu plus, mais pourraient tre ncessaire pour la rception bluetooth</string> <string name="reset_bluetooth_on_off">Rinitialiser le Bluetooth en le dsactivant en en le ractivant aprs quelques minutes! slectionner uniquement pour test. Cela peut perturber les autres utilisations du Bluetooth.</string> <string name="constantly_reset_bluetooth">Redmarrer le Bluetooth en permanence</string> <string name="experimental_transmitter_fpv_uav">Support exprimental du priphrique \'Transmitter\' de @FPV-UAV - test uniquement</string> <string name="transmitter_pl_support">Support de Transmitter (PL)</string> <string name="experimental_rdfuino_support">Support exprimental pour RFduino de Tomasz Stachowicz</string> <string name="rfduino_support">Support RFduino</string> <string name="repeatedly_restart_collection_service">Redmarrer constamment le service de collecte en cas de soupon de donnes manquantes. Activer uniquement si vous observez des pertes de donnes.</string> <string name="aggressive_service_restarts">Redmarrage du service agressif</string> <string name="predictive_readings_old">Vieille mthode - non recommande! Tente de prdire les lectures chaque minute bas sur les valeurs passes rcentes.</string> <string name="use_external_blukon_algorithm_summary">Utiliser un algorithme Libre hors processus.(BluCon/NFC/LibreAlarm)</string> <string name="display_predictive_values">Afficher les valeurs prdictives</string> <string name="use_external_blukon_algorithm">Algorithme Libre hors processus.</string> <string name="calibrate_external_libre_algorithm_summary">Appliquer les mthodes de calibration xDrip sur des donnes OOP.</string> <string name="calibrate_external_libre_algorithm_title">Calibration par algorithme OOP.</string> <string name="calibrate_external_libre_2_algorithm_summary">Appliquer les mthodes de calibration xDrip sur des donnes OOP.</string> <string name="calibrate_external_libre_2_algorithm_title">Calibration par algorithme OOP2.</string> <string name="libre_use_smoothed_data_summary">Utiliser une moyenne de 5 points pour obtenir des donnes Libre plus lisses.</string> <string name="libre_use_smoothed_data_title">Lissage des donnes Libre.</string> <string name="retrieve_blukon_history_title">Rcuprer l\'historique du Freestyle Libre</string> <string name="retrieve_blukon_history_summary">Extraire l\'historique manqu du priphrique BluCon lors de la reconnexion au capteur.</string> <string name="interpret_share_raw">Si vous utilisez Share, xDrip affichera les valeurs quand elles sont normalement caches sur le rcepteur.</string> <string name="interpret_raw">Interprter les valeurs brutes</string> <string name="use_infrequent_calibrations">Si besoin, utiliser des calibrations plus anciennes, par exemple si les calibrations sont rarement saisies.</string> <string name="infrequent_calibrations">Calibrations peu frquentes</string> <string name="extra_logging">Paramtres de logs supplmentaires</string> <string name="send_logs_to_developer">Envoyer automatiquement les vnements et journaux de liste derreurs au dveloppeur</string> <string name="enable_remote_logging">Activer la journalisation distance</string> <string name="set_logging_appid">Valeur AppID de journalisation</string> <string name="only_enable_on_trouble">Activer uniquement si vous rencontrez des problmes avec lapplication.</string> <string name="store_logs">Stocker les journaux pour le dpannage</string> <string name="show_datatables_in_app_drawer">Afficher les donnes de calibrations et de glycmies dans le menu applicatif.</string> <string name="disable_log_transmitter_battery_warning">Dsactiver lavertissement de ltat pile faible des metteurs sur lcran daccueil. (Uniquement valable pour les rcepteurs DIY)</string> <string name="engineering_mode">Mode dveloppeur</string> <string name="allow_unsafe_settings">Permet de changer les paramtres les plus dangereux qui pourraient tout casser!</string> <string name="daily_save_db">Enregistrer la base de donnes tous les jours</string> <string name="allow_daily_db_save">Permet au Service dintention quotidienne de sauvegarder la base de donnes avant la purge</string> <string name="options_for_extra_line">Options pour la ligne supplmentaire</string> <string name="todays_average_value">Valeur moyenne daujourd\'hui.</string> <string name="ac1_estimation_dcct">Estimation du taux dHbA1c en format DCCT (%)</string> <string name="ac1_estimation_ifcc">Estimation du taux dHbA1c en format IFCC (mmol/mol)</string> <string name="percentage_in_range">Pourcentage des valeurs dans la plage.</string> <string name="percentage_below_range">Pourcentage des valeurs infrieures la plage.</string> <string name="percentage_above_range">Pourcentage des valeurs plus haute que la plage.</string> <string name="show_standard_deviation">Voir la dviation standard des valeurs.</string> <string name="standard_deviation">cart-type</string> <string name="show_total_carbs">Afficher le total de glucides saisis par traitements</string> <string name="total_carbs">Glucides totaux</string> <string name="show_total_insulin">Afficher le total d\'insuline saisis par traitements</string> <string name="total_insulin">Insuline total</string> <string name="received_readings_percentage">Pourcentage des lectures du capteur reus</string> <string name="received_realtime_readings_percentage">Pourcentage des lectures du capteur reus en temps rel (non rcupres). Mode natif G5 seulement</string> <string name="capture_percentage">Pourcentage de capture de paquets</string> <string name="realtime_capture_percentage">Pourcentage de capture de paquets en temps rel</string> <string name="show_calibration_accuracy">Afficher l\'valuation de prcision de calibration des 3 derniers jours</string> <string name="accuracy_evaluation">valuation de la prcision</string> <string name="show_extra_status_on_widget">Afficher aussi la ligne d\'tat supplmentaire sur le widget</string> <string name="show_long_calibration_data">Voir la pente et l\'ordonne l\'origine en format long.</string> <string name="show_short_calibration_data">Voir la pente et l\'ordonne l\'origine en format court.</string> <string name="show_plugin_data">Afficher les donnes de pente et de glycmie du plugin actif</string> <string name="calibration_plugin">Plugin de Calibration</string> <string name="advanced_calibration">Calibration avance</string> <string name="extra_calibration_options">Options supplmentaires relatives aux calibrations</string> <string name="choose_use_treament_bg">Indiquer si vous voulez calibrer avec la valeur de glycmie dans une saisie de Traitement</string> <string name="usw_treatment_bg">Utiliser les valeurs BG des traitements</string> <string name="experimental_calibration_plugin">Plugin de calibration secondaire exprimental</string> <string name="show_plugin_results_on_graph">Afficher les rsultats de glycmie du plugin sur le graphique principal</string> <string name="plugin_plot_on_graph">Tracs du Plugin sur le graphique</string> <string name="use_plugin_glucose">Utiliser la Glycmie du Plugin</string> <string name="main_glucose_plugin">L\'affichage des chiffres principaux de glucides proviennent du plugin!</string> <string name="plugin_override_all">Plugin surpasse tous les autres</string> <string name="all_new_glucose_data_plugin">Toutes les nouvelles donnes de glycmie seront calcules et enregistres du plugin slectionn et non partir de l\'algorithme standard xDrip. Ce n\'est pas test et peut tre inexacte et pleins de bug. Utiliser avec une extrme prudence.</string> <string name="old_school_calibrations">Plage plus troite originale de pentes autorises dans l\'algorithme de calibration classique xDrip (avant 2017). Les pentes par dfaut sont plus probables! (mode ingnierie uniquement)</string> <string name="old_school_calibration_mode">Ancienne mthode de calibration</string> <string name="how_receive_data">Comment allez-vous pour recevoir les donnes de votre Dexcom/Transmitter?</string> <string name="nfc_options">Options pour scanner les capteurs bass sur NFC avec le combin du tlphone</string> <string name="nfc_scan_features">Fonctionnalits de scan NFC</string> <string name="use_nfc_feature">Utiliser la fonction NFC</string> <string name="allow_sensor_scanning">Permettre aux capteurs d\'tre scanns lorsque l\'application est ouverte. Les donnes historiques seront rcupres. Trs exprimental! Mfiez-vous cela peut casser le capteur. Tester la compatibilit du tlphone avec un capteur presque expir tout d\'abord. Vous aurez t prvenu!</string> <string name="sensor_age_or_expiry">ge du capteur ou date d\'expiration</string> <string name="show_expiry_time">Afficher le temps d\'expiration du capteur bas sur 14,5 jours</string> <string name="show_sensor_age">Afficher l\'ge du capteur sur l\'cran principal</string> <string name="change_sensor_total_days">Changer le total de jours du capteur</string> <string name="nfc_scanning_xdrip_open">Le scan NFC ne se produira uniquement lorsque xDrip+ est visible</string> <string name="nfc_scanning_launcher">Le scan NFC fonctionnera galement partir de l\'cran du lanceur d\'applications</string> <string name="scan_when_app_closed">Scan en dehors de xDrip+</string> <string name="vibrate_scanning_status">Vibrer pour indiquer le statut de scan</string> <string name="beep_when_scanning_within_app">Bipper lors du scan au sein de l\'application xDrip+</string> <string name="use_multi_block">Utiliser la mthode de lecture multibloc plus rapide</string> <string name="use_any_tag">Utiliser la mthode de lecture optimise pour toute balise</string> <string name="low_level_value">Valeur de diagnostic/prototype bas niveau</string> <string name="transmitter_id">ID de votre Transmitter Dexcom, par exemple 12AB3</string> <string name="advanced_g5_settings">Paramtres avancs Dexcom pour de rares situations</string> <string name="g5_debug_settings">Paramtres de dbogage G5/G6/G7/Dex1</string> <string name="g5_scan_constantly">Certains appareils fonctionnent mieux en scan continus, d\'autres non. Si la lecture est fiable lorsque ce paramtre n\'est pas slectionn, vous devriez avoir amlior la dure de vie de la batterie. Normalement, il est prfrable de garder cette option dsactive</string> <string name="scan_for_g5_constantly">Recherche constante de G5</string> <string name="g5_force_ui_thread">Ceci est crucial pour que certains appareils Android se connectent correctement, mais peut causer des lectures manques lorsque d\'autres activits intensives de l\'interface sont en cours d\'utilisation.</string> <string name="force_g5_ui_thread">Forcer G5 utiliser UI Thread</string> <string name="authentificate_before_reading">S\'authentifier avant chaque lecture</string> <string name="g5_full_authentification">Ceci tentera d\'authentifier toutes les tentatives de lecture. Requis par les versions plus rcentes du firmware G5.</string> <string name="unbond_g5_before_read">Dlier G5 avant chaque lecture</string> <string name="g5_remove_before_read">Cela supprimera le G5 de la liste des priphriques jumels de votre appareil et tentera d\'une authentification complte et une connexion avec chaque tentative de lecture.</string> <string name="g5_experimental_mode">Mode exprimental qui n\'utilise pas de donnes brutes</string> <string name="use_calibrated_data">Utiliser les donnes calibres comme source</string> <string name="data_sync">Synchronisation de donnes</string> <string name="options_for_upload">Options pour le chargement vers Nightscout, MongoDB ou Dexcom Share</string> <string name="cloud_upload">Chargement vers Cloud</string> <string name="enable_mongo_sync">Activer la synchronisation Nightscout Mongo DB</string> <string name="mongo_db_uri">URI MongoDB</string> <string name="skip_local_lan">Pour les serveurs locaux avec des adresses 192.168.x.x, ne pas essayer de charger quand il ny a aucune connectivit rseau local.</string> <string name="skip_lan_uploads">Ne pas effectuer les chargements par LAN</string> <string name="mongo_load_transmitter_data_title">Charger les donnes des metteurs Libre</string> <string name="mongo_load_transmitter_data_summary">Permettre plus d\'un xDrip de se connecter aux priphriques BT et stocker les donnes qu\'ils reoivent vers le Cloud. Cela devrait permettre une couverture de toute la maison pour le Libre avec MiaoMiao, ou 2 parents utilisant le mme dispositif BT de manire transparente.</string> <string name="influxdb_sync">Activer la synchronisation InfluxDB</string> <string name="influxdb_uri">URI InfluxDB</string> <string name="influxdb_database_name">Nom de la base de donnes InfluxDB</string> <string name="user">Utilisateur</string> <string name="password">Mot de passe</string> <string name="upload_to_dexcom">Activer ceci pour charger vers les serveurs Dexcom</string> <string name="upload_to_dexcom_share">Charger les valeurs BG vers Dexcom Share</string> <string name="accounts_outside_usa">Dsactiv = votre compte et les applications esclaves proviennent de lextrieur de lUSA</string> <string name="accounts_inside_usa">Activ = votre compte et les applications esclaves sont aux USA</string> <string name="usa_based_account">Compte DexCom bas aux USA</string> <string name="dexcom_login">Votre login pour le site Web Dexcom</string> <string name="dexcom_user">Utilisateur du compte DexCom</string> <string name="dexcom_login_password">Votre mot de passe pour le site Web Dexcom</string> <string name="dexcom_password">Mot de passe de compte DexCom</string> <string name="dexcom_receiver_serial">Numro de srie du rcepteur Dexcom sur 10 caractres</string> <string name="dexcom_test_mode_serial">Numro de srie de Mode de Test sur 10 caractres</string> <string name="glucose_meters">Lecteurs de Glycmie</string> <string name="glucose_meter_options">Options pour les lecteurs de glycmie sans fil</string> <string name="auto_connect_to_meter">Automatiquement connecter et extraire des donnes d\'un lecteur de glycmie compatible standard comme le Contour Next One</string> <string name="use_bluetooth_meter">Utiliser un lecteur Bluetooth</string> <string name="scan_for_bluetooth_meter">Scanner pour trouver un lecteur Bluetooth</string> <string name="meter_connect_sound">Cocher pour jouer des effets sonores lorsque le compteur se connecte, se dconnecte ou synchronise les donnes</string> <string name="meter_connect_sound_effect">Indicateurs deffets sonores</string> <string name="ask_for_calibration">Lorsqu\'une nouvelle glycmie est reue, demander si elle doit tre utilise pour calibrer</string> <string name="use_meter_for_calibrations">Utiliser Meter pour les Calibrations</string> <string name="auto_calibration_good_conditions">Calibrer en utilisant les nouvelles valeurs de glycmies si les conditions semblent pouvoir le faire, sans demander confirmation (exprimental)</string> <string name="automatic_calibration">Calibration automatique</string> <string name="maximum_value">La valeur maximale que vous considrez tre dans la plage.</string> <string name="minimum_value">La valeur minimale que vous considrez tre dans la plage.</string> <string name="volume_buttons_snooze">Appuyer sur le volume up ou down mettra en veille une alarme active lorsque l\'application est lance</string> <string name="buttons_silence_alarms">La pression des boutons met en veille les alarmes</string> <string name="create_shortcut">Crer un raccourci sur la navigation principale vers l\'cran de niveau de glycmies</string> <string name="shortcut_to_bg_alerts">Raccourci vers les alertes de niveau de glycmies</string> <string name="suppress_alerts_missed_readings">Supprime les alertes de mise en veille et actives aprs la priode prdfinie de lectures manques</string> <string name="suppress_alerts_after">Supprimer les alertes de mise en veille et actives aprs .. minutes (minimum 10)</string> <string name="alert_calibration_request">Alerte lorsqu\'une calibration est demande</string> <string name="calibrations_request_time_time_difference">Combien d\'heures entre les demandes de calibration</string> <string name="hours_between_calibrations">Heures entre les calibrations</string> <string name="calibrations_sound">Dfinir le son utilis pour les demandes de calibrations.</string> <string name="override_silent_mode">Remplacer le mode silencieux</string> <string name="even_when_charging">Mme lors de la charge</string> <string name="no_calibration_requests_charging">Dcocher la case pour ne pas demander de calibrations lorsque le tlphone est en charge</string> <string name="keep_alert_no_calibration">Continuer d\'alerter si aucune calibration n\'est ralise</string> <string name="repeat_alerts">Rpter les alertes</string> <string name="calibration_minutes_reraise">Nombre de minutes attendre avant de dclencher la mme demande de calibration.</string> <string name="alert_repeat_minutes">Minutes entre les rptition d\'alertes</string> <string name="alert_noisy_values">Alerte aprs x minutes de valeurs de bruit</string> <string name="alert_snooze">Mise en veille d\'alerte</string> <string name="alert_minutes_reraise">Nombre de minutes avant de dclencher la mme alerte aprs sa mise en veille.</string> <string name="reraise_before_snooze">Relancer les alertes avant la dure de mise en veille</string> <string name="reraise_not_snoozed_sooner">Relancer l\'alerte si non mise en veille plus tt</string> <string name="alert_reraise_time">Temps de relance de l\'alerte</string> <string name="alert_seconds_reraise">Nombre de SECONDES attendre avant de relancer la mme alerte.</string> <string name="bg_falling_fast">Glycmie en chute rapide</string> <string name="bg_rising_fast">Glycmie en augmentation rapide</string> <string name="falling_threshold">seuil de chute</string> <string name="rising_threshold">seuil d\'augmentation</string> <string name="set_sound_for_bg_alerts">Dfinir le son utilis pour les alertes BG.</string> <string name="alert_sound">Son d\'alerte</string> <string name="override_silent_mode_these">Substituer le mode silencieux pour ces alertes</string> <string name="persistent_repeat_max">Rptition maximum toutes les (minutes)</string> <string name="momentum_indicates_low">Quand l\'impulsion de tendance indique qu\'une valeur Basse serait prdite</string> <string name="notify_on_low_battery_level">Avertir lorsque le niveau de la batterie descend en dessous</string> <string name="collector_battery_alerts">Alertes de batterie du Collecteur</string> <string name="low_battery_percentage">Pourcentage de batterie faible</string> <string name="notify_data_arrives_master"><![CDATA[Avertir si des donnes arrivent du matre si l\'intervalle est > 20 mins.]]></string> <string name="follower_chime_new">Nouvelle sonnerie pour les abonns</string> <string name="carb_ratio">Ratio de Glucides</string> <string name="enable_dedicated_insulin_profiles">Configuration des profils d\'insuline</string> <string name="desc_enable_dedicated_insulin_profiles">Ici, on peut activer ou configurer diffrents profils d\'insuline</string> <string name="insulin_sensitivity">Sensibilit l\'Insuline</string> <string name="secondary_plugin_glucose_value">Valeur de glycmie du plugin secondaire</string> <string name="step_counter_1st_color">Compteur de pas 1re couleur</string> <string name="step_counter_2nd_color">Compteur de pas 2me couleur</string> <string name="flair_colors">Couleurs lgantes</string> <string name="use_flair_colors">Barre de Titre/Navigation personnalise</string> <string name="upper_title_bar_flair">Barre de titre suprieure</string> <string name="lower_button_bar_falir">Barre de navigation infrieure</string> <string name="force_english_text">Forcer le texte anglais</string> <string name="using_local_language">Utilisation actuelle de la langue locale de votre appareil</string> <string name="forcing_alternate_language">Utilisation actuelle force de la langue de substitution</string> <string name="need_alternate_language">Si vous avez besoin d\'une traduction de langue de remplacement au sein de xDrip+</string> <string name="chosse_language">Choisir une langue spcifique</string> <string name="widget_range_lines">Lignes de plage dans le widget</string> <string name="show_range_on_widget">Affiche une ligne haute et basse sur le widget.</string> <string name="delayed_but_more_stable">Retard mais plus stable lorsqu\'il y a du bruit (non recommand)</string> <string name="show_bolus_wizard_preview">Afficher l\'aperu de l\'assistant de bolus</string> <string name="display_calculations">Afficher les calculs de l\'insuline/glucides</string> <string name="display_calculations_everytime">Afficher les calculs de l\'insuline/glucides en permanence</string> <string name="always_show_bolus_wizard_preview">Toujours afficher laperu dassistant de Bolus</string> <string name="show_test_features">Afficher les fonctionnalits de test en alpha et supplmentaires</string> <string name="show_reminder_features">Afficher les menus et fonctionnalits de Rappel</string> <string name="enable_reminder_features">Activer les fonctionnalits de rappel</string> <string name="display_mathamatical_simulations">Afficher les simulations mathmatiques bases sur les donnes de profil et les logs de glucides/insuline</string> <string name="predictive_simulations">Simulations prdictives</string> <string name="low_prediction_values">Valeurs de prdiction de niveau bas</string> <string name="target_glucose_default">Glycmie cible par dfaut</string> <string name="default_liver_maximum_impact">Impact maximum sur le foie par dfaut (0-1)</string> <string name="remote_snoozes">Envoi et rception de mises en veille distantes</string> <string name="remote_snoozing">Mise en veille distance</string> <string name="snoozes_will_silence_all">La mise en veille rendra silencieux tous les combins du groupe avec le paramtre d\'acceptation ci-dessous activ sur eux</string> <string name="send_snooze_to_all">Envoyer la mise en veille vers tous</string> <string name="confirm_remote_snoozes">Ouvrir une bote de dialogue pour confirmer l\'envoi de chaque veille distante</string> <string name="confirm_sensing_snooze">Confirmer l\'envoi de mise en veille</string> <string name="allow_remotes_silence">Autoriser les appareils distants mettre sous silence les alarmes sur celle-ci</string> <string name="acccept_remote_snoozes">Accepter les mises en veille distantes</string> <string name="send_remote_snooze">Envoyer une mise en veille distance</string> <string name="only_accept_same_network">Accepter uniquement si le nom du rseau WiFi distant commence par les mmes lettres que les ntres et correspond trs troitement</string> <string name="wifi_name_must_match">Le nom du WiFi doit correspondre</string> <string name="confirm_remote_snooze">Confirmer la mise en veille distante</string> <string name=your_sha256_hashroup">tes-vous sr de vouloir mettre en veille tous les autres priphriques de votre groupe de synchronisation ?</string> <string name="yes_send_it">OUI, envoyer!</string> <string name="movement_detection_and_vehicle_mode">Dtection de mouvement et mode vhicule</string> <string name="xdrip_motion_tracking">xDrip+ Dtection de Mouvement</string> <string name="detect_motion_types">Utiliser les capteurs pour dtecter les types de mouvement</string> <string name="enable_motion_tracking">Activer la Dtection de Mouvement</string> <string name="display_motion_types">Stocker les types de mouvement rcents et les tracer sur le graphique principal</string> <string name="log_and_plot_motion">Loguer et grapher les dplacements</string> <string name="use_remote_motion_data">Donnes de mouvement prises distance plutt que depuis le tlphone local</string> <string name="use_remote_motion">Utiliser les donnes de mouvement distantes</string> <string name="be_motion_master">tre le matre des donnes de mouvement, mme si nous sommes un suiveur. Ne positionner que sur un seul appareil!</string> <string name="act_as_motion_master">Agir comme matre du mouvement</string> <string name="vehicle_motion_extras">Lorsqu\'un vhicule est dtect, activer des fonctionnalits supplmentaires</string> <string name="enable_vehicle_mode">Activer le Mode Vhicule</string> <string name="increase_low_alarms_vehicle_mode">Augmenter le niveau partir duquel les alarmes basses se dclencheront en mode vhicule</string> <string name="raise_low_threshold">Augmenter le seuil \'Bas\'</string> <string name="notification_sound_vehicle_mode">Son de notification lorsque le mode vhicule est dtect</string> <string name="play_sound">Jouer le son</string> <string name="repeat_notification_every_90_minutes">Rpter le son de notification toutes les 90 minutes si toujours en mode vhicule</string> <string name="repeat_sound">Rpter le son</string> <string name="enable_telemetry">Activer la tlmtrie</string> <string name="send_data_to_developers">Envoyer des donnes aux dveloppeurs sur les taux de russite des diffrents priphriques</string> <string name="try_to_work_around_noisy_readings_ultrasensitive">Commencer contourner les lectures fluctuantes mme sur des niveaux de fluctuation trs faibles (mode ingnierie uniquement)</string> <string name="sidiary_date_title">Exportation depuis quand?</string> <string name="blukon">BluCon</string> <string name="tomato">Tomato</string> <string name="bubble">Bubble</string> <string name="atom">Atom</string> <string name="use_gravity_sensor_to_rotate_items">Utiliser le capteur de gravit pour faire pivoter les lments</string> <string name="low_bridge_battery">Batterie transmetteur faible</string> <string name="reminders">Rappels</string> <string name="error">erreur</string> <string name="install_text_to_speech_data_question">Installer les donnes Text-To-Speech?</string> <string name="after_installation_of_languages_you_might_have_to">(Aprs l\'installation de langues, vous pourriez avoir appuyer sur \"Redmarrer le collecteur\" dans tat du systme.)</string> <string name="stop_sensor">Arrter le capteur</string> <string name="dont_stop_just_reset_all_calibrations">Ne pas arrter, simplement rinitialiser les calibrations</string> <string name="initial_calibration">Calibration initiale</string> <string name="calibration_can_not_be_blank">Calibration ne peut pas tre vide</string> <string name="invalid_calibration_number">Valeur de calibration non valide!</string> <string name="calibration_out_of_range">Calibration hors limites</string> <string name="note_search">Recherche de notes</string> <string name="edit_note">Modifier la note</string> <string name="adjust_note_text_here_there_is_no_undo">Ajuster le texte de la note ici. Il n\'y a pas d\'annulation possible</string> <string name="no_search_term_found">Aucun terme recherch trouv</string> <string name="bluetooth_scan">Scan Bluetooth</string> <string name="level_alerts">Alertes de niveau</string> <string name="override_calibration">Remplacer la calibration</string> <string name="only_stop_your_sensor_when_you_actually_plan">N\'arrtez votre capteur que lorsque vous planifiez de l\'enlever, sinon laissez fonctionner!</string> <string name="restart_collector">Redmarrer le collecteur</string> <string name="forget_device">Oublier ce priphrique</string> <string name="other_notes">Autres Notes:</string> <string name="delete_future_data">Supprimer les donnes futures</string> <string name="show_only_untranslated">Afficher uniquement les non traduites</string> <string name="collecting_initial_readings">Collecte des premires lectures</string> <string name="data_collector_running">Collecteur de donnes en cours d\'excution</string> <string name="received_some_recent_data">Reu quelques donnes rcentes</string> <string name="received_enough_good_data_to_calibrate">Reu assez de bonnes donnes pour calibrer</string> <string name="play_sound_when_ready_for_calibration">mettre un son lorsque prt pour la Calibration</string> <string name="receiving_data_from_collector">Rception des donnes du Collecteur %s</string> <!-- trend arrow for speak --> <string name="DoubleDown">Baisse rapide</string> <string name="SingleDown">Baisse</string> <string name="FortyFiveDown">Baisse faible</string> <string name="Flat">Inchang</string> <string name="FortyFiveUp">Hausse lgre</string> <string name="SingleUp">Hausse</string> <string name="DoubleUp">Hausse rapide</string> <string name="Speak_trend_arrow_name">Prononcer le nom de la flche de tendance</string> <string name="Speak_everything_twice">Prononcer tout deux fois</string> <string name="Speech_speed">Vitesse de prononciation</string> <string name="Speech_pitch">Ton de la voix</string> <string name="Speak_Alerts">Prononcer les alertes</string> <string name="Speak_Alerts_Summary">Donner galement des messages d\'alerte prononces</string> <string name="advanced_bluereader_settings_summary">Paramtres blueReader avancs</string> <string name="advanced_bluereader_settings">Paramtres blueReader</string> <string name="bluereader_restdays_onhome_sum">Affiche les jours restants estims pour le blueReader sur l\'cran d\'accueil aprs lesquels la batterie doit tre remplace</string> <string name="bluereader_restdays_onhome">Jours restants sur l\'cran d\'accueil</string> <string name="bluereader_turnoff_sum">Dsactiver le blueReader, si la batterie est infrieure la valeur slectionne</string> <string name="bluereader_turnoff">Arrt scuris</string> <string name="blueReader_turnoffvalue">Valeur en %</string> <string name="blueReader_turnoffvalue_sum">o le blueReader sera arrt</string> <string name="days">jours</string> <string name="bluereaderoff">blueReader sera teint, lorsque la batterie sera infrieure </string> <string name="bluereader_position">vrifier la position du blueReader sur le capteur, car il n\'a pas pu lire!</string> <string name="bluereaderuglystate">Le blueReader a t trouv dans un sale tat! Il sera maintenant teint, et vous devrez le ractiver (appuyez sur le bouton). Aprs cela le blueReader devrait fonctionner comme prvu !</string> <string name="offical_msg">L\'application officielle</string> <string name="aggressive_power_manager">Votre appareil a une application de gestion de l\'alimentation agressive. Normalement accessible via les paramtres systme. Veuillez vous assurer que xDrip est exclu des restrictions en arrire-plan.</string> <string name="use_conflict_msg">peut essayer d\'accder au priphrique metteur et cela peut causer des problmes avec les deux applications</string> <string name="use_confict_msg_glimp">Vous pouvez ajuster les paramtres de Glimp: options -&gt; priphriques -&gt; dslectionner l\'option Bluetooth</string> <string name="eng_mode_is_on">Le mode Ingnierie est activ. Veuillez le dsactiver moins que vous n\'en ayez besoin car il peut causer un comportement inattendu.</string> <string name="yes">Oui</string> <string name="xdrip_compatible_features">Fonctionnalits %s xDrip+</string> <string name="garmin">Garmin</string> <string name="fitbit">Fitbit</string> <string name="enable_local_web_server_feature">Activer la fonctionnalit de serveur web local pour Garmin watchface?</string> <string name="enable_local_web_server_feature_fitbit">Activer la fonctionnalit de serveur web local pour Fitbit watchface?</string> <string name="set_data_source_to">Source de donnes dfinie : %s ?</string> <string name="are_you_sure">tes-vous sr?</string> <string name="g4_share_receiver">Rcepteur G4 Share</string> <string name="bluetooth_wixel">Bluetooth Wixel</string> <string name="parakeet_wifi">Parakeet / WiFi</string> <string name="other">Autres</string> <string name="which_software_is_the_wixel_running">Quel logiciel tourne sur le Wixel?</string> <string name="start_source_setup_wizard">Dmarrer l\'assistant configuration de Source</string> <string name="hour_format">%s heures</string> <string name="enter_your_transmitter_id_exactly">Entrer votre ID de l\'metteur exactement tel qu\'il est affich</string> <string name="which_type_of_device">Quel type de priphrique ?</string> <string name="enable_local_broadcast">Activer la diffusion locale?</string> <string name="broadcast_only_to">Diffuser uniquement vers?</string> <string name="enable_wear_os_sync">Activer la synchronisation vers Android Wear OS?</string> <string name="androidaps">AndroidAPS</string> <string name="androidwear">OS Android Wear</string> <string name="librealarm">LibreAlarm</string> <string name="use_librealarm">Utiliser l\'appli LibreAlarm comme source de donnes?</string> <string name="noise_blocking">Blocage du bruit</string> <string name="level_at_which_noisy_data_should_not_be_broadcast">Niveau partir duquel les donnes bruites ne devraient pas tre diffuses car cela pourrait perturber les applis rceptrices</string> <string name="low_parakeet_battery">Batterie Parakeet faible</string> <string name="glucose_units_mmol_or_mgdl">Unit de glycmie : mmol/L ou mg/dL</string> <string name="is_your_typical_glucose_value">Votre valeur glycmie typique : 5.5 (mmol/L) ou 100 (mg/dL). Veuillez slectionner ci-dessous</string> <string name="settings_updated_to_mmol">Paramtres mis jour vers mmol/L</string> <string name="external_calibration_app">Appli de calibration externe</string> <string name="use_app_for_calibration">utiliser l\'application pour la calibration?</string> <string name="channel_name">Service au premier plan</string> <string name="code_accepted">Code accept</string> <string name="invalid_or_unsupported_code">Code non support ou invalide!</string> <string name="g6_sensor_code">Code capteur G6</string> <string name="please_enter_printed_calibration_code">Entrer les 4 chiffres du code de calibration affich, par exemple : 5678</string> <string name="enable_update_checks">Activer les vrifications de mise jour?</string> <string name="you_can_easily_roll_back_dialog_msg">Avec xDrip vous pouvez facilement revenir une version antrieure en relanant l\'installer APK dans votre rpertoire Tlchargements si vous n\'aimez pas la nouvelle version .\n\nVoulez vous activer les vrifications de mises jour?</string> <string name="hey_fam">H Fam...</string> <string name="you_have_update_checks_off">Vous avez les contrles de mise jour dsactiv! \n\nNous essayons de corriger les bugs et ajouter de nouvelles fonctionnalits xDrip+ au fil du temps.\n\nTous les 60 jours ce rappel s\'affichera pour vous demander d\'activer le contrle de mises jour.</string> <string name="update_checking_enabled">Vrification des mises jour active!</string> <string name="cancel_alarm">Annuler l\'alarme?</string> <string name="please_confirm_to_cancel_the_alert">Confirmer pour annuler l\'alerte?</string> <string name="yes_cancel">Oui, annuler</string> <string name="warning_no_alert_will_be_played_in_silent_mode">Attention, aucun alerte ne sera joue quand le tlphone en mode silencieux/vibreur!!!</string> <string name="automatic_message_from_xdrip">message automatique de xDrip+</string> <string name="zero_zero_zero_zero">0000</string> <string name="emergency_messages">Messages d\'urgence</string> <string name="emergency_message_feature">Fonction Message d\'urgence</string> <string name=your_sha256_hashyour_sha256_hashe">Des Sms peuvent tre envoys avec votre localisation si vous ne rpondez pas aux alarmes. Cette fonctionnalit est exprimentale et peut ne pas tre fiable.</string> <string name="your_name">Votre nom</string> <string name="did_not_acknowledge_a_low_glucose_alert">%1$s n\'a pas reconnu une alerte de glycmie faible depuis %2$s</string> <string name="did_not_acknowledge_a_high_glucose_alert">%1$s n\'a pas reconnu une alerte de glycmie lev depuis %2$s</string> <string name="has_not_had_glucose_data_received_for">%1$s n\'a pas reu de donnes de glycmie depuis %2$s</string> <string name="phone_has_not_been_used_for">Le tlphone %1$s n\'a pas t utilis depuis %2$s</string> <string name="is_requesting_assistance">%s demande assistance</string> <string name="is_testing_the_assistance_request_feature">%s teste la fonction de demande d\'assistance</string> <string name="emergency_message_near_format_string">%1$s prs de %2$s %3$s %4$s %5$s</string> <string name="choose_when_to_send_messages">Choisir quand envoyer les messages:</string> <string name="low_alert_not_acknowledged">Alerte basse non accepte</string> <string name="lowest_alert_not_acknowledged">Alerte basse non acquitte</string> <string name="high_alert_not_acknowledged">Alerte haute non accepte</string> <string name="device_inactivity">Inactivit du priphrique</string> <string name="test_message_sending">Tester l\'envoi de message</string> <string name="d_selected_contacts_for_text_messages_format">%d contacts slectionns pour les messages texte</string> <string name="xdrip_software_changed_format">Version du logiciel xDrip passede %1$s %2$s</string> <string name=your_sha256_hash_mode">Passer en mode vhicule lorsque connect au priphrique audio ci-dessous.</string> <string name="select_device">Slectionner le priphrique</string> <string name="no_bluetooth_audio_found">Aucun audio Bluetooth trouv</string> <string name="tap_to_set_current_car_audio_device">Taper pour dfinir le priphrique audio de voiture actuellement connect</string> <string name="learn_current_car_audio">Dcouvrir l\'audio de la voiture actuelle</string> <string name="detect_car_audio">Dtecter l\'audio de la voiture</string> <string name="automatically_enable_when_connected_to_car_bluetooth">Activer automatiquement le mode vhicule quand connect au Bluetooth de la voiture</string> <string name="enable_speak_readings_when_in_vehicle">Activer la fonction de prononciation des valeurs en mode vhicule</string> <string name="bluetooth_watchdog_timers">Dlai pour le garde-fou BT</string> <string name="bluetooth_watchdog_timer_sums">Saisir la valeur en minutes</string> <string name="basal_editor">diteur de basale - Slectionner les heures ajuster</string> <string name="sensor_is_still_warming_up_please_wait">Le capteur est encore en initialisation, veuillez patienter</string> <string name="number_wall_config">Configuration du mur de valeurs</string> <string name=your_sha256_hashphone">Si vous prvoyez d\'utiliser seulement un collecteur Wear et jamais votre tlphone.</string> <string name="title_Only_use_Wear">Utiliser uniquement Wear</string> <string name="summary_Also_show_the_filtered_data_on_the_trend">Afficher galement les donnes filtres sur la tendance</string> <string name=your_sha256_hashpropriate">Afficher la valeur Insuline de l\'assistant de Bolus sur la montre lorsque cela est appropri</string> <string name="title_Display_BWP_Insulin">Afficher l\'insuline BWP</string> <string name="title_Smartwatch_Sensors">Capteurs Smartwatch</string> <string name=your_sha256_hashilable">Collecter et afficher le compteur de pas et la frquence cardiaque lorsque disponibles</string> <string name="title_Use_Health_Data">Utiliser les donnes de sant</string> <string name="summary_Activate_heart_rate_sensor_if_available">Activer le capteur de frquence cardiaque si disponible</string> <string name="title_Heart_Rate_Sensor">Capteur de frquence cardiaque</string> <string name="summary_Smooth_heart_rate_graph">Graphique de frquence cardiaque liss</string> <string name="title_When_changes_by">Lors de changements par</string> <string name="title_Or_per_number_of_minutes">Ou par nombre de minutes</string> <string name="title_Identify_receiver">Identifier le rcepteur</string> <string name="summary_Only_send_to_named_package">Envoyer uniquement au package nomm</string> <string name="title_Accept_Calibrations">Accepter les Calibrations</string> <string name=your_sha256_hashonic_etc">Exploiter un serveur web local permettant d\'interagir avec Fitbit Ionic</string> <string name="title_xDrip_Web_Service">Service Web xDrip</string> <string name=your_sha256_hashrnally">Accepter les connexions depuis n\'importe quel rseau au lieu de se limiter l\'intrieur de cet appareil. Il y a des implications de scurit pour activer ceci ! Le Secret Shared sera requis si dfini.</string> <string name="title_Open_Web_Service">Service Web Ouvert</string> <string name="summary_Shared_Secret_for_open_web_service">Secret partag pour le service web ouvert (doit correspondre votre secret Nightscout API)</string> <string name="title_xDrip_Web_Service_Secret">Secret du Service Web xDrip</string> <string name="summary_Display_status_from_other_apps_like_AndroidAPS">tat de l\'affichage d\'autres applications comme AndroidAPS</string> <string name="title_External_Status">Statut externe</string> <string name="summary_Display_pump_status_information_if_available">Afficher les informations dtat de pompe si disponible</string> <string name="title_Pump_Status">tat de la pompe</string> <string name="summary_Show_treatment_carb_insulin_ratio">Afficher le ratio de carb/insuline</string> <string name="title_Carb_Insulin_Ratio">Ratio Carb/Insuline</string> <string name=your_sha256_hash>Demander un second test sanguin optionnel pour la calibration initiale</string> <string name="title_Double_Calibrations">Calibrations doubles</string> <string name=your_sha256_hashthods">Activer pour permettre les pentes variables avec les mthodes de collection Libre</string> <string name="title_Non_fixed_Libre_slopes">Pentes du Libre non fixes</string> <string name="summary_Allow_initial_calibration_no_good_enough_data">Permettre la calibration initiale mme si nous n\'avons pas assez de bonnes donnes. Attention peut entraner une calibration inexacte !</string> <string name="title_Bypass_quality_check">Ignorer la vrification de qualit</string> <string name="summary_Scan_before_connecting_on_xBridge_and_Libre_bluetooth">Scanner avant de se connecter sur xBridge et Bluetooth Libre</string> <string name="title_Use_scanning">Utiliser le scan</string> <string name="summary_Use_and_trust_Android_bluetooth_auto_connect_feature">Utiliser et faire confiance la fonctionnalit de connexion auto Bluetooth d\'Android</string> <string name="title_Trust_Auto_Connect">Faire confiance Auto-Connect</string> <string name="summary_Experimental_support_for_xBridge_polling_feature">Support exprimental pour la fonction de sondage xBridge+</string> <string name="title_xBridge_Polling_Mode">Mode de sondage xBridge+</string> <string name="summary_Probe_Bluetooth_services_on_every_connect">Sonder les services Bluetooth chaque connexion</string> <string name="title_Always_discover_services">Toujours dcouvrir les services</string> <string name=your_sha256_hash>Disponible uniquement pour les tlphones qui supportent l\'association automatique</string> <string name="title_Allow_blucon_unbonding">Permettre la dissociation du BluCon</string> <string name="summary_Suppress_the_ugly_state_message_if_Problem_appears">Supprime le message d\'tat si le problme apparat</string> <string name="title_supress_ugly_state_message">supprimer le message d\'tat</string> <string name="summary_write_Battery_Information_for_additional_analytic">crire les informations sur la batterie pour une analyse supplmentaire dans un fichier. Veuillez utiliser ceci uniquement si cela sera demand par un dveloppeur !</string> <string name="title_Batterylog">Log batterie</string> <string name="summary_Choose_to_display_the_bridge_battery_level">Choisir pour afficher le niveau de batterie du transmetteur</string> <string name="title_Glucose_Retention">Rtention des glycmies</string> <string name="summary_Erase_data_older_than_this_many_days">Effacer les donnes antrieures ce nombre de jours. 0 = ne rien effacer</string> <string name="title_Other_misc_options">Autres options diverses</string> <string name="summary_allow_testing_with_dead_sensor">permet de tester avec un capteur mort</string> <string name="title_NOT_FOR_PRODUCTION_USE">NE PAS UTILISER EN PRODUCTION</string> <string name="title_You_have_no_reminders_yet">Vous n\'avez encore aucun rappel</string> <string name="message_reminders_explanation">Les rappels peuvent tre utiliss pour des vnements comme les changements du lieu de pompe ou tout autre chose.\n\nIls peuvent tre rpts, configurs pour diverses priodes de temps. tre mis en veilles, ajourns, rplannifis etc.\n\nCliquez sur le bouton + pour ajouter un rappel.</string> <string name="title_swipe_reminder">Glisser gauche ou droite</string> <string name="message_swipe_explanation">\u2190 Glisser GAUCHE pour retarder ou mettre en veille un rappel\n\n\u2192 Glisser DROITE replanifie le prochain rappel\n\nAppuyer sur le titre ou l\'heure permet l\'dition. Appuyer longuement sur le titre pour diter d\'autres paramtres.</string> <string name="title_reminder_snooze_undo">Panneau de rappel de mise en veille - Annuler</string> <string name="message_snooze_explanaition_undo">Le bouton Annuler restaure le rappel la valeur qu\'il avait avant qu\'il n\'ait t modifi.</string> <string name="title_snooze_trash">Panneau de rappel de mise en veille - Poubelle</string> <string name="message_snooze_trash">Le bouton Poubelle supprime dfinitivement le rappel gliss!</string> <string name="title_snooze_hide">Panneau de rappel de mise en veille - Cacher</string> <string name="message_snooze_hide">Le bouton Masquer cache le panneau de mise en veille</string> <string name="title_snooze_times">Panneau de rappel de mise en veille - Temps</string> <string name="message_snooze_times">Les diffrents boutons changent rapidement de la mise en veille par dfaut une autre priode de mise en veille.</string> <string name="title_which_day">Quel jour?</string> <string name="title_what_time_day">Quelle heure de la journe?</string> <string name="reminder_due">Rappel d</string> <string name="title_add_reminder">Ajouter un rappel</string> <string name="title_edit_reminder">Modifier le rappel</string> <string name="alternate_between_titles">alterner entre diffrents titres chaque</string> <string name="always_use_same_title">toujours utiliser le mme titre</string> <string name="reminder_will">Le rappel</string> <string name="sound_once">sonnera une fois</string> <string name="alert_until_dismissed">alertera jusqu\' suppression</string> <string name="and_then_repeat">et se rptera chaque</string> <string name="will_not_repeat">mais ne se rptera pas aprs cela</string> <string name="Please_Allow_Permission">Veuillez autoriser les permissions</string> <string name="need_storage_permission">Permission de Stockage ncessaire pour accder toutes les sonneries</string> <string name="select_file_reminder_sound">Slectionner le fichier pour le son de rappel</string> <string name="select_tone_alert">Slectionner le son pour l\'alerte:</string> <string name="snoozed_for">mis en veille pour</string> <string name="postponed_for">report pendant</string> <string name="completed">termin</string> <string name="next_in">prochain dans</string> <string name="due">chance</string> <string name="due_uppercase">CHANCE</string> <string name="repeats_every">rpter tous les</string> <string name="next">suivant</string> <string name="last">dernier</string> <string name="using_default_sound">Utilisation du son par default</string> <string name="cannot_chose_file">Impossible de choisir le fichier sans l\'autorisation de stockage</string> <string name="problem_with_sound">Problme avec le son</string> <string name="invalid_number">Nombre non valide</string> <string name="toast_deleted">Supprim:</string> <string name="nothing_to_undo">Rien annuler!</string> <string name="something_went_wrong_reminder">Une erreur est survenue lors de la cration du rappel</string> <string name="snoozed_reminder_for">Mise en veille du rappel pour</string> <string name="id_reference">Rfrence Id</string> <string name="reminder_period">Priode de rappel</string> <string name="hour">Heure</string> <string name="hours">Heures</string> <string name="weeks">Semaines</string> <string name="repeat">Rpter</string> <string name="chime_only">Carillon seulement</string> <string name="alternating">En alternance</string> <string name="weekdays">Jours de la semaine</string> <string name="weekends">Jours de week-end</string> <string name="mega_priority">Mega-priorit</string> <string name="xdrip_reminders">Rappels xDrip+</string> <string name="button_15_min">15 min</string> <string name="button_2_hour">2 heures</string> <string name="button_1_day">1 jour</string> <string name="button_30_min">30 min</string> <string name="button_4_hour">4 heures</string> <string name="button_2_day">2 jours</string> <string name="button_1_hour">1 heure</string> <string name="button_8_hour">8 heures</string> <string name="button_1_week">1 semaine</string> <string name="unit_second">seconde</string> <string name="unit_minute">minute</string> <string name="unit_hour">heure</string> <string name="unit_day">jour\"</string> <string name="unit_week">semaine\"</string> <string name="unit_seconds">secondes</string> <string name="unit_minutes">minutes</string> <string name="unit_hours">heures</string> <string name="unit_days">jours\"</string> <string name="unit_weeks">semaines\"</string> <string name="quiet_at_night">Calme la nuit</string> <string name="alerts_disabled">Dsactiver les alertes</string> <string name="restart_in_the_morning">Redmarrer le matin</string> <string name="advanced_mode">Mode avanc</string> <string name="reminder_title">Titre des rappels</string> <string name="what_time_of_day_question">Quelle heure de la journe?</string> <string name="all_alerts_currently_disabled">TOUTES LES ALERTES ACTUELLEMENT DSACTIVES</string> <string name="low_and_high_alerts_currently_disabled">ALERTES HAUTES ET BASSES ACTUELLEMENT DSACTIVES</string> <string name="low_alerts_currently_disabled">ALERTES BASSES ACTUELLEMENT DSACTIVES</string> <string name="high_alerts_currently_disabled">ALERTES HAUTES ACTUELLEMENT DSACTIVES</string> <string name="bg_reading_missed">Valeurs BG manquantes</string> <string name="not_connected">Non connect</string> <string name="no_data">Pas de donnes</string> <string name="no_bluetooth">Pas de Bluetooth</string> <string name="connection_status_long">tat de la connexion: </string> <string name="without_location_scan_doesnt_work">Sans la permission de Localisation le scan Bluetooth Android ne marche pas</string> <string name="android_10_need_background_location">Android 10 et plus ont besoin de la localisation en arrire-plan pour que Bluetooth fonctionne</string> <string name="without_location_permission_emergency_cannot_get_location">Sans la permission de Localisation les messages d\'urgence ne pourront utiliser les donnes de localisation</string> <string name="force_speaker_colon">Forcer par haut-parleur</string> <string name="choose_data_source">Choisir la source de donnes</string> <string name="which_system_do_you_use">Quel systme utilisez-vous ?</string> <string name="please_allow_permission">Veuillez autoriser les permissions</string> <string name="location_permission_needed_to_use_bluetooth">Autorisation de localisation ncessaire pour utiliser Bluetooth!</string> <string name="did_you_insert_it_today">L\'avez-vous install aujourd\'hui ?</string> <string name=your_sha256_hashion_accuracy__was_it_inserted_today">Nous devons savoir quand le capteur a t install pour amliorer la prcision de calcul.\n\nA-t-il t install aujourd\'hui ?</string> <string name="yes_today">OUI, aujourd\'hui</string> <string name="which_day_was_it_inserted">Quel jour a-t-il t install ?</string> <string name="what_time_was_it_inserted"> quelle heure a-t-il t install?</string> <string name="new_sensor_started">NOUVEAU CAPTEUR DMARR</string> <string name="error_sensor_start_time_in_future">ERREUR : HEURE DE DMARRAGE DU CAPTEUR DANS LE FUTUR</string> <string name="not_today">Pas aujourd\'hui</string> <string name="need_permission_to_access_audio_files">Besoin de l\'autorisation pour accder aux fichiers audio</string> <string name="need_contacts_permission_to_select_message_recipients">Besoin de l\'autorisation d\'accs aux contacts pour slectionner les destinataires de messages</string> <string name="need_storage_permission_to_access_all_ringtones">Besoin de l\'autorisation de stockage pour accder toutes les sonneries</string> <string name="xdrip_needs_whitelisting_for_proper_performance">xDrip+ a besoin d\'tre sur liste blanche pour des performances correctes</string> <string name="overwrite_slope_engineering_only">Remplacer Slope (utilisateurs avancs seulement!)</string> <string name="overwrite_intercept_engineering_only">Remplacer Intercept (utilisateurs avancs seulement!)</string> <string name="manual_overwrite_not_possible">L\'crasement manuel n\'est pas possible !</string> <string name="upload_even_when_using_mobile_data">Charger mme en utilisant les donnes mobiles</string> <string name="daily_backup_even_mobile">Sauvegarde quotidienne mme en utilisant les donnes mobiles</string> <string name="use_mobile_data">Utiliser les donnes mobiles</string> <string name="summary_cloud_storage_api_download_enable">Essayer galement de tlcharger des donnes depuis Nightscout</string> <string name="title_cloud_storage_api_download_enable">Tlcharger les donnes</string> <string name="title_cloud_storage_api_download_from_xdrip">Ignorer les lments de xDrip</string> <string name="summary_cloud_storage_api_download_from_xdrip">viter de tlcharger les lments chargs par xDrip</string> <string name="summary_bluetooth_meter_for_calibrations_auto">Calibrer en utilisant de nouvelles lectures de glycmie si les conditions semblent correctes sans demander confirmation (exprimental)</string> <string name="title_bluetooth_meter_for_calibrations_auto">Calibration automatique</string> <string name="title_rest_api_extra_options">Options supplmentaires</string> <string name="summary_send_bridge_battery_to_nightscout">Envoyer votre niveau de batterie du transmetteur Nightscout. Dcocher si votre capteur de batterie ne marche pas.</string> <string name="title_send_bridge_battery_to_nightscout">Charger la batterie du transmetteur</string> <string name="summary_send_dexcom_transmitter_battery_to_nightscout">Envoyer les statistiques de la batterie du Dexcom Nightscout. Inclut toutes les donnes affiches sur l\'cran Statut du Collecteur.</string> <string name="title_send_dexcom_transmitter_battery_to_nightscout">Envoyer le niveau de batterie de l\'metteur OB1G5/G6/G7/Dex1</string> <string name="summary_send_treatments_to_nightscout">Envoyer des donnes de traitement Nightscout. Dcochez si votre portail ne marche pas.</string> <string name="title_send_treatments_to_nightscout">Charger les traitements</string> <string name="summary_warn_nightscout_failures">Afficher et mettre une notification si le chargement vers Nightscout choue.</string> <string name="title_warn_nightscout_failures">Alerter en cas d\'checs</string> <string name="summary_nightscout_device_append_source_info">Pour G5, envoie le type de collecteur (par exemple OB1) et le statut de remplissage des valeurs (natives) vers Nightscout.</string> <string name="title_nightscout_device_append_source_info">Ajouter les informations sources au nom du priphrique</string> <string name="summary_tap_to_send_historical_data">Appuyer pour envoyer les donnes historiques Nightscout</string> <string name="title_back_fill_data">Rcrire les donnes</string> <string name="summary_tidepool_upload_screen">Envoyer les donnes au service Tidepool</string> <string name="title_sync_to_tidepool">Synchroniser vers Tidepool</string> <string name="summary_tidepool_username">Votre nom d\'utilisateur Tidepool, normalement votre adresse e-mail</string> <string name="title_tidepool_username">Nom d\'utilisateur</string> <string name="summary_tidepool_password">Mot de passe de connexion Tidepool</string> <string name="title_tidepool_password">Mot de passe de connexion</string> <string name="title_tidepool_test_login">Test de la connexion Tidepool</string> <string name="title_tidepool_window_latency">Age des donnes</string> <string name="summary_tidepool_dev_servers">Si activ, les envois iront vers path_to_url au lieu de path_to_url <string name="title_tidepool_dev_servers">Utiliser les serveurs d\'Intgration (test)</string> <string name="title_tidepool">Tidepool</string> <string name="show_help">Afficher l\'aide</string> <string name="load_save_settings_on_sdcard">Charger / Enregistrer les paramtres</string> <string name="delete_all_bg_readings">Supprimer toutes les lectures BG</string> <string name="debugging_test_feature">Fonction de test de dbogage</string> <string name="sync_treatments">Synchroniser les traitements</string> <string name="send_bg_readings_to_backfill">Envoyer les valeurs BG vers l\'historique de rcupration</string> <string name="view_old_error_log">Voir l\'ancien journal d\'erreur</string> <string name="return_to_home_screen">Retourner la page d\'accueil</string> <string name="title_broadcast_service_api">API du service Broadcast</string> <string name="summary_broadcast_service_api">Active la communication de xDrip avec des applications tiers en utilisant la nouvelle API</string> <string name="title_enable_iob_in_api_endpoint">Inclure l\'InA dans l\'API</string> <string name="summary_enable_iob_in_api_endpoint">Inclure l\'InA (insuline active) sur le point de terminaison de l\'API de service Web utilis par certaines Smartwatch</string> <string name="title_fetch_iob_from_companion_app">Rcuprer l\'InA depuis l\'application compagnon</string> <string name="summary_fetch_iob_from_companion_app">Rcuprer l\'InA (insuline active) depuis l\'application compagnon s\'excutant sur le mme appareil, par exemple l\'app. Omnipod 5</string> <string name="title_miband">MiBand</string> <string name="summary_miband_enable">Synchroniser les donnes avec les bracelets de fitness MiBand</string> <string name="title_miband_enable">Utiliser le bracelet MiBand</string> <string name="title_miband_screens_features">Fonctionnalits / crans MiBand</string> <string name="title_miband_screen_battery">Afficher la batterie</string> <string name="title_miband_show_date">Afficher la date sur l\'cran</string> <string name="title_miband_visibility">Visibilit MiBand</string> <string name="summary_miband_visibility">MiBand sera visible pour d\'autres appareils</string> <string name="title_miband_switch_display_on_wrist">Basculer l\'affichage sur rotation du poignet</string> <string name="title_miband_units">Units</string> <string name="summary_miband_units">Choisir l\'unit de distance utilise sur le bracelet </string> <string name="title_miband_goal_notification">Notification d\'objectif</string> <string name="summary_miband_goal_notification">MiBand vibrera quand vous atteindrez un objectif</string> <string name="title_miband_locale_24_hour">Horloge 24 heures</string> <string name="summary_miband_locale_24_hour">Afficher l\'horloge 24 heures</string> <string name="title_miband_nightmode_category">Paramtres du mode nuit</string> <string name="title_miband_nightmode_enabled">Activer les paramtres du mode nuit</string> <string name="summary_miband_nightmode_enabled">Rduire la luminosit de l\'cran du bracelet pendant un temps personnalis</string> <string name="title_miband_nightmode_start">Dmarrage du mode nuit</string> <string name="title_miband_nightmode_end">Fin du mode nuit</string> <string name="title_miband_interval_in_nightmode">Intervalle</string> <string name="summary_miband_interval_in_nightmode">Dfinit la frquence de synchronisation de la glycmie en mode nuit</string> <string name="title_miband_colect_heartrate">Collecte les HR</string> <string name="summary_miband_colect_heartrate">Collecterait les donnes de frquence cardiaque de la bande. L\'intervalle de mise jour peut tre configur dans MiFit ou n\'importe quelle application tierce</string> <string name="title_miband_authkey">Cl d\'authentification</string> <string name="summary_miband_authkey">Dfinissez la cl d\'authentification pour MiBand4 (pour obtenir une cl d\'authentification, suivez les instructions sur path_to_url <string name="summary_miband_mac">Laisser vide pour la recherche automatique</string> <string name="title_miband_send_readings_as_notification">Lectures de glycmies en tant que notification</string> <string name="summary_miband_send_readings_as_notification">Utilisera une notification pour envoyer des lectures de glycmies. La date ne serait pas modifie afin que toutes les fonctionnalits du bracelet puissent tre utilises. Besoin de dsactiver si vous voulez utiliser xDrip watchface (Il est ncessaire de supprimer l\'application MiFit officielle pour viter les remplacements de dates)</string> <string name="title_miband_vibrate_on_readings">Vibrer lors des lectures</string> <string name="title_miband_send_calls">Envoyer les appels</string> <string name="summary_miband_send_calls">Envoyer des notifications d\'appel au bracelet (Android 6+)</string> <string name="title_miband_graph_category">Options du graphique</string> <string name="title_miband_graph_enable">Activer le graphique</string> <string name="title_miband_graph_treatment_enable">Afficher le bolus</string> <string name="title_miband_update_bg">Mettre jour la glycmie manuellement</string> <string name="title_miband_general_settings_category">Paramtres gnraux</string> <string name="title_miband_screen_notifications">Afficher les notifications</string> <string name="title_miband_screen_weather">Afficher la mto</string> <string name="title_miband_screen_activity">Afficher l\'activit</string> <string name="title_miband_screen_more">Afficher plus</string> <string name="title_miband_screen_status">Afficher le statut</string> <string name="title_miband_screen_heart_rate">Afficher la frquence cardiaque</string> <string name="title_miband_screen_timer">Afficher la minuterie</string> <string name="title_miband_screen_nfc">Afficher le NFC (si disponible)</string> <string name="miband_watchface_istall_success">Le cadran MiBand a t tlcharg avec succs !</string> <string name="miband_watchface_istall_error">Erreur lors du chargement du cadran MiBand</string> <string name="miband_bg_dialog_title">Mettre jour les donnes de glycmie maintenant ?</string> <string name="title_lefun_band">Bracelet Lefun</string> <string name="summary_lefun_enable">Synchroniser les donnes avec les bracelets de fitness Lefun</string> <string name="title_lefun_enable">Utiliser bracelet Lefun</string> <string name="title_lefun_mac">Adresse Mac</string> <string name="summary_lefun_send_readings">Amliorer la date de la montre pour reprsenter les valeurs de glycmie. Meilleur en mmol/l - voir la documentation</string> <string name="title_lefun_send_readings">Envoyer les valeurs</string> <string name="summary_lefun_send_alarms">Envoyer les notifications au bracelet pour les alarmes glycmiques</string> <string name="title_lefun_send_alarms">Envoyer les alarmes</string> <string name="title_lefun_option_shake_snoozes">Secouer pour Mettre en veille</string> <string name="title_lefun_screens_features">LeFun crans / Fonctionnalits</string> <string name="title_features">Fonctionnalits</string> <string name="title_lefun_feature_lift_to_wak">Soulever pour Activer</string> <string name="title_lefun_feature_anti_lost">Alerte Dconnexion</string> <string name="title_lefun_locale_12_hour">Utiliser l\'horloge sur 12 heures</string> <string name="title_screens">crans</string> <string name="title_lefun_screen_step_counter">Afficher le compteur de pas</string> <string name="title_lefun_screen_step_distance">Afficher la distance des pas</string> <string name="title_lefun_screen_step_calories">Afficher les calories</string> <string name="title_lefun_screen_heart_rate">Afficher le rythme cardiaque</string> <string name="title_lefun_screen_heart_pressure">Afficher la pression cardiaque</string> <string name="title_lefun_screen_find_phone">Afficher Trouver le tlphone / Mettre en veille</string> <string name="title_lefun_screen_mac_address">Afficher l\'adresse MAC</string> <string name="summary_allow_samsung_workaround">Utiliser des contournements pour viter le comportement Android non standard de certains terminaux. Sans cela, les collecteurs ne peuvent pas obtenir les donnes.</string> <string name="title_allow_samsung_workaround">Solutions de contournement Wake</string> <string name="summary_medtrum_use_native">Utiliser la calibration de l\'metteur au lieu de xDrip comme primaire</string> <string name="title_medtrum_use_native">Medtrum Natif</string> <string name="summary_medtrum_a_hex">Valeur hexa de test de diagnostic</string> <string name="title_medtrum_a_hex">Medtrum Debug</string> <string name="summary_nsfollow_url">Adresse Web pour les abonns</string> <string name="title_nsfollow_url">URL abonns Nightscout</string> <string name="summary_nsfollow_download_treatments">Tlcharger galement les traitements de Nightscout comme abonn</string> <string name="title_nsfollow_download_treatments">Tlcharger les traitements</string> <string name="title_nsfollow_lag">Dlai pour le Suiveur Nightscout</string> <!-- Maybe we can use them later? <string name="title_clfollow_user">CareLink Username</string> <string name="summary_clfollow_user">CareLink login username</string> <string name="title_clfollow_pass">CareLink Password</string> <string name="summary_clfollow_pass">CareLink login password</string> !--> <string name="title_clfollow_country">Pays CareLink</string> <string name="summary_clfollow_country">Slectionner votre pays CareLink.</string> <string name="title_clfollow_patient">Nom d\'utilisateur du patient CareLink</string> <string name="summary_clfollow_patient">Nom d\'utilisateur du patient CareLink (facultatif)</string> <!-- Maybe we can use them later? <string name="title_clfollow_lang">CareLink Language</string> <string name="summary_clfollow_lang">CareLink language code</string> --> <string name="title_clfollow_login">Connexion</string> <string name="summary_clfollow_login">Se connecter avec le navigateur</string> <string name="title_clfollow_grace_period">Dlai de grce</string> <string name="summary_clfollow_grace_period">Dlai de grce pour la demande de donnes en secondes</string> <string name="title_clfollow_missed_poll_interval">Intervalle de collecte de donnes manques</string> <string name="summary_clfollow_missed_poll_interval">Intervalle de collecte aprs les donnes manques en minutes</string> <string name="title_clfollow_download_finger_bgs">Glycmies capillaires</string> <string name="summary_clfollow_download_finger_bgs">Tlcharger les glycmies capillaires depuis CareLink</string> <string name="title_clfollow_download_boluses">Bolus</string> <string name="summary_clfollow_download_boluses">Tlcharger les bolus depuis CareLink</string> <string name="title_clfollow_download_meals">Repas</string> <string name="summary_clfollow_download_meals">Tlcharger les repas depuis CareLink</string> <string name="title_clfollow_download_notifications">Notifications</string> <string name="summary_clfollow_download_notifications">Tlcharger les notifications de CareLink</string> <string name="title_ob1_options">Paramtres de Collecteur OB1 G5/G6/G7</string> <string name="summary_use_ob1_g5_collector_service">Rcriture complte, devrait fonctionner sur Android 4.4 - 9, supporte le mode natif et plus</string> <string name="title_use_ob1_g5_collector_service">Utiliser le Collecteur OB1</string> <string name="summary_ob1_g5_use_transmitter_alg">Utiliser l\'algorithme interne de l\'metteur pour calculer les valeurs de glycmie lorsque cela est possible.</string> <string name="title_ob1_g5_use_transmitter_alg">Algorithme natif</string> <string name="summary_ob1_g5_restart_sensor">Redmarrer automatiquement un capteur lorsqu\'il s\'arrte</string> <string name="title_ob1_g5_restart_sensor">Redmarrer le capteur</string> <string name="summary_ob1_g5_preemptive_restart">Redmarrer un capteur avant la fin de la session les jours 6/9 pour viter le temps de prparation</string> <string name="title_ob1_g5_preemptive_restart">Redmarrage prventif</string> <string name="summary_ob1_g5_use_insufficiently_calibrated">Toujours utiliser les donnes s\'il n\'y a pas assez de bonnes calibrations (exprimental!)</string> <string name="title_ob1_g5_use_insufficiently_calibrated">Continuer sans calibrations</string> <string name="summary_ob1_g5_fallback_to_xdrip">Revenir l\'algorithme xDrip si G5 ne fournit pas de donnes de glycmie (potentiellement risqu !)</string> <string name="title_ob1_g5_fallback_to_xdrip">Revenir xDrip</string> <string name="summary_ob1_minimize_scanning">Utiliser des heuristiques pour minimiser le scan Bluetooth + conomie d\'nergie</string> <string name="title_ob1_minimize_scanning">Rduire le scan</string> <string name="summary_using_g6">J\'utilise un capteur G6, G7 ou Dexcom 1</string> <string name="title_using_g6">Support G6/G7/Dex1</string> <string name="summary_ob1_g5_allow_resetbond">Le collecteur OB1 peut dmorcer si il pense que le chiffrement a chou. Si vous avez des problmes avec l\'association, dsactivez cette option. Si vous perdez alors totalement la connexion, assurez-vous qu\'elle est active.</string> <string name="title_ob1_g5_allow_resetbond">Permettre la dissociation OB1</string> <string name="summary_ob1_initiate_bonding_flag">Le collecteur OB1 peut initier l\'association.</string> <string name="title_ob1_initiate_bonding_flag">Permettre l\'OB1 d\'initier l\'association</string> <string name="title_old_g5_options">Ancien paramtres du Collecteur G5</string> <string name="title_g5g6_battery_options">Options de batterie G5/G6/Dex1</string> <string name="title_g5_battery_warning_level">Ajuster le niveau d\'alerte batterie</string> <string name="title_plugins_and_features">Plugins et fonctionnalits</string> <string name="title_color_heart_rate1">Capteur de frquence cardiaque</string> <string name="title_insulin_colors">Couleurs Insuline</string> <string name="title_color_basal_tbr">Basal TBR</string> <string name="title_color_smb_icon">Icne SMB</string> <string name="title_color_smb_line">Ligne SMB</string> <string name="summary_xdrip_plus_graph_display_settings">Ajuster les lments du graphique</string> <string name="title_xdrip_plus_graph_display_settings">Paramtres de Graph</string> <string name="summary_show_basal_line">Afficher les informations basales depuis l\'tat externe</string> <string name="title_show_basal_line">Afficher le Basal</string> <string name="summary_show_g_prediction">Afficher les points de glycmie prdictifs G6/G7</string> <string name="title_show_g_prediction">Prdiction G6/G7</string> <string name="summary_show_smb_icons">Dcouper le graphique avec les icnes de traitement pour les petits bolus</string> <string name="title_show_smb_icons">Afficher les icnes micro bolus</string> <string name="summary_show_medtrum_secondary">Afficher les points de glycmie alternatifs</string> <string name="title_show_medtrum_secondary">Medtrum Secondaire</string> <string name="summary_illustrate_backfilled_data">Indiquer les donnes rcupres sur le graphique</string> <string name="title_illustrate_backfilled_data">Afficher les donnes rcupres</string> <string name="summary_high_priority_notifications">Afficher les notifications et les graphiques en haut (galement utiles sur l\'cran de verrouillage)</string> <string name="title_high_priority_notifications">Notifications de priorit leve</string> <string name="summary_public_notifications">Afficher le contenu de notification sur l\'cran de verrouillage scuris</string> <string name="title_public_notifications">Notifications publiques</string> <string name="title_xdrip_plus_number_wall">Mur de chiffres sur l\'cran de verrouillage</string> <string name="summary_do_number_wall_configuration">Ajuster et prvisualiser la mise en page du mur</string> <string name="title_do_number_wall_configuration">Configurer le mur de chiffres</string> <string name="summary_number_wall_on_lockscreen">Afficher sur l\'cran de verrouillage. Android 7 et plus seulement!</string> <string name="title_number_wall_on_lockscreen">Afficher sur l\'cran de verrouillage</string> <string name="title_color_number_wall">Couleur de texte sur le mur</string> <string name="title_color_number_wall_shadow">Couleur de l\'ombre sur le mur</string> <string name="summary_pick_numberwall_start">Choisir le moment du dbut d\'affichage</string> <string name="title_pick_numberwall_start">Mettre en marche</string> <string name="summary_pick_numberwall_stop">Choisir le moment d\'arrter - dfinir la mme valeur que le dmarrage pour toujours actif</string> <string name="title_pick_numberwall_stop">Dsactiver l\'heure</string> <string name="title_xdrip_plus_number_icon">Icne Valeur dans la zone de notification</string> <string name="summary_do_number_icon_test">Les icnes de Valeurs plantent certains tlphones ! Appuyez pour excuter le test avant d\'activer la fonctionnalit!</string> <string name="title_do_number_icon_test">Lancer le test d\'icne Valeur</string> <string name="summary_number_icon_tested">Lorsque vous aurez confirm, votre appareil pourra afficher une icne de valeur</string> <string name="title_number_icon_tested">Icne de Valeur test</string> <string name="summary_use_number_icon">Affiche la valeur de glycmie actuelle comme icne pour la barre de notification et l\'cran de verrouillage</string> <string name="title_use_number_icon">Afficher l\'icne Valeur en petit</string> <string name="summary_use_number_icon_large">Affiche une icne plus grande dans la zone de notification uniquement lorsque l\'ecran est activ</string> <string name="title_use_number_icon_large">Utiliser l\'icne Valeur grand</string> <string name="summary_number_icon_large_arrow">Affiche la flche de tendance dans l\'icne large</string> <string name="title_number_icon_large_arrow">Afficher la flche dans l\'icne grande</string> <string name="title_xdrip_plus_accessibility">Paramtres \"Always On Display\"</string> <string name="summary_aod_use_top">Utiliser le premier cinquime de l\'cran pour le widget AOD</string> <string name="title_aod_use_top">Utiliser le haut</string> <string name="summary_aod_use_top_center">Utiliser le deuxime cinquime de l\'cran pour le widget AOD</string> <string name="title_aod_use_top_center">Utiliser le milieu haut</string> <string name="summary_aod_use_center">Utiliser le troisime cinquime de l\'cran pour le widget AOD</string> <string name="title_aod_use_center">Utiliser le milieu</string> <string name="summary_aod_use_center_bottom">Utiliser le quatrime cinquime de l\'cran pour le widget AOD</string> <string name="title_aod_use_center_bottom">Utiliser le milieu bas</string> <string name="summary_aod_use_bottom">Utiliser le dernier cinquime de l\'cran pour le Widget AOD</string> <string name="title_aod_use_bottom">Utiliser le bas</string> <string name="summary_show_home_on_boot">Afficher l\'cran xDrip automatiquement aprs le dmarrage de l\'appareil</string> <string name="title_show_home_on_boot">Afficher xDrip au dmarrage</string> <string name="eula">EULA</string> <string name="summary_plus_accept_follower_actions">Les traitements et talonnages des abonns seront accepts</string> <string name="title_plus_accept_follower_actions">Accepter les actions des abonns</string> <string name="summary_plus_whole_house">Participer au rseau de la maison</string> <string name="title_plus_whole_house">Maison entire</string> <string name="summary_libre_whole_house_collector">Ce tlphone sera un collecteur dans tout le rseau domestique</string> <string name="title_libre_whole_house_collector">Mode Libre dans toute la maison</string> <string name="summary_xdrip_plus_desert_sync_settings">Suivi milieu desert</string> <string name="title_xdrip_plus_desert_sync_settings">Synchronisation milieu dsertique</string> <string name="summary_desert_sync_enabled">Activer la fonctionnalit de synchronisation locale sans internet</string> <string name="title_desert_sync_enabled">Synchronisation milieu dsertique</string> <string name="title_desert_sync_master_ip">Adresse IP du matre</string> <string name="summary_send_sync_show_qr">Code-barres scanner pour les abonns afin de les configurer automatiquement</string> <string name="title_send_sync_show_qr">Afficher le code QR</string> <string name="summary_desert_use_https">Ajouter une autre couche de chiffrement pour les rseaux partags, par exemple pour les WiFi publics</string> <string name="title_desert_use_https">Utiliser HTTPS</string> <string name="title_xdrip_plus_experimental">Section exprimentale</string> <string name="summary_inpen_screen">Tlchargement des dosages</string> <string name="title_inpen_screen">Stylo Insuline InPen</string> <string name="title_inpen_enabled">Support InPen</string> <string name="summary_inpen_detect_priming">Dtecter et exclure les doses d\'amorage</string> <string name="title_inpen_detect_priming">Dtecter la mise en place</string> <string name="title_inpen_prime_units">Units de dpart</string> <string name="title_inpen_prime_minutes">Priode de dmarrage</string> <string name="summary_inpen_orphan_primes_ignored">Les injections initiales sans dose suivantes sont ignores lorsque activ. Dcocher pour traiter comme une dose normale</string> <string name="title_inpen_orphan_primes_ignored">Ignorer les primes orphelines</string> <string name="summary_inpen_sounds">Utiliser des sons pour indiquer le transfert de donnes avec le stylo</string> <string name="title_inpen_sounds">mettre des sons</string> <string name="summary_inpen_reset">Rinitialiser et rechercher un nouveau stylo en mode jumelage</string> <string name="title_inpen_reset">Trouver un nouveau stylo</string> <string name="summary_pendiq_screen">Dosages de lecture et criture</string> <string name="title_pendiq_screen">Stylo Insuline Pendiq 2.0</string> <string name="title_use_pendiq">Support Pendiq 2.0</string> <string name="summary_pendiq_send_treatments">Prparer le stylo avec les units de traitement d\'insuline saisies. Vous devez toujours vrifier deux fois.</string> <string name="title_pendiq_send_treatments">Envoyer les traitements vers le stylo</string> <string name="title_pendiq_pin">Code Pin stylo</string> <string name="summary_use_notification_channels">Utiliser la fonctionnalit de canal de notification d\'Android 8+</string> <string name="title_use_notification_channels">Canaux de Notification</string> <string name="summary_ongoing_notification_channel">Peut dclencher des notifications d\'affichage ambiant sur certains appareils. Ncessite des tests!</string> <string name="title_ongoing_notification_channel">Utiliser le canal de notification en cours</string> <string name="summary_notification_channels_grouping">Si les notifications doivent tre groupes ensemble. Incompatible avec l\'option \'Numro lment dans la zone de notification\'</string> <string name="title_notification_channels_grouping">Grouper les notifications par fil</string> <string name="summary_delay_ascending_3min">Pour le profil de volume ascendant, retarder le dmarrage du son d\'alerte de 3 minutes. Le vibreur (si activ) dmarre ds que l\'alerte se dclenche, quel que soit ce paramtre.</string> <string name="title_ascending_volume">Rglages du volume croissant</string> <string name="title_delay_ascending_3min">Dlai du volume ascendant</string> <string name="summary_ascending_volume_to_medium">Lorsqu\'il est activ, le profil de volume ascendant augmentera vers le volume moyen au lieu du maximum</string> <string name="title_ascending_volume_to_medium">Augmentation vers le milieu</string> <string name="summary_play_sound_for_initial_calibration">mettre un son lorsque la calibration initiale est demande</string> <string name="title_play_sound_for_initial_calibration">Alerte initiale</string> <string name="category_noisy_readings">Lectures de bruits</string> <string name="category_falling_rising_bg">Chute/Hausse de la Glycmie</string> <string name="category_alert_prefs">Prfrences d\'alerte (pour ces alertes)</string> <string name="summary_persistent_high_alert">Quand suprieur au niveau Haut pour une longue priode, et ne se dirige pas vers le bas</string> <string name="note_search_button">RECHERCHE</string> <string name="all_note_button">TOUT</string> <string name="title_full_screen_mode">Mode plein cran</string> <string name="title_colors_for_printing">Couleurs pour l\'impression</string> <string name="title_share_save_this_screen">Partager / Enregistrer cet cran</string> <string name="search_phrase">recherche de phrase</string> <string name="load_more">charger plus</string> <string name="searching">recherche...</string> <string name="collecting">collecte...</string> <string name="insulin">insuline</string> <string name="nothing_found">aucun rsultat</string> <string name="do_not_hit_start_long">Ne pas cliquer sur \'dmarrer le capteur\' moins que le capteur ne soit dj install et l\'metteur connect.</string> <string name="calibration_graph_no_calibration">graphique de calibration (pas de calibration)</string> <string name="calibration_plugin_header">en-tte du plugin de calibration</string> <string name="usb_device_was_not_recognized">Priphrique USB non reconnu</string> <string name="followers_name">Nom des abonns :</string> <string name="your_display_name">Votre nom d\'affichage :</string> <string name="followers_email">Courriel des abonns :</string> <string name="send_invite">Envoyer invitation</string> <string name="description_sensor_location">Dans le futur xDrip voudrait envoyer des donnes de capteur anonymes aux dveloppeurs pour amliorer l\'algorithme d\'talonnage... Si vous dcidez de vous inscrire, vous serez invit confirmer avant chaque transfert de donnes. Les donnes ne seront jamais envoyes sans votre permission. Pour nous aider comprendre et affiner la calibration nous aimerions savoir o ce capteur a t plac. Appuyez sur le bouton de retour pour annuler.</string> <string name="save_sensor_location">Enregistrer l\'emplacement du capteur</string> <string name="alerts">Alertes</string> <string name="use_internal_downloader">Utiliser le tlchargement interne</string> <string name="title">Titre</string> <string name="summary">Rcapitulatif</string> <string name="auto_refresh">Actualisation automatique</string> <string name="set_up_desert_sync_follower">Configurer la synchronisation abonn en milieu desert</string> <string name="version">Version:</string> <string name="sensor_start">Dmarrage du capteur:</string> <string name="plug_in_your_dexcom_reciever">Brancher votre lecteur Dexcom puis appuyer sur ce bouton et croiser les doigts!</string> <string name="check_in_dexcom_calibrations">Vrifier les calibrations Dexcom</string> <string name="progress">progrs</string> <string name="bluetooth_device">Priphrique Bluetooth: </string> <string name="transmitter_battery_status">Batterie transmitter : </string> <string name="top">Haut</string> <string name="connect_device_usb_otg">Veuillez connecter votre appareil via le cble USB OTG.</string> <string name="connection_status">tat de la connexion:</string> <string name="range_in_high_low">Plage: (dans/haut/bas)</string> <string name="absolute_s">Absolu #s :</string> <string name="median_bg">Glycmie mdiane :</string> <string name="mean_bg">Glycmie moyenne :</string> <string name="hba1c_est">Estimation HbA1c :</string> <string name="stddev">cart-type (SD) :</string> <string name="relative_sd_cv">Coefficient de Variation (CV) :</string> <string name="important_warning">Avertissement important!</string> <string name="i_agree">J\'ACCEPTE</string> <string name="backup_detected">Sauvegarde dtecte</string> <string name=your_sha256_hashestore_it">Il semble que vous ayez peut-tre une sauvegarde des paramtres, devons-nous essayer de la restaurer?</string> <string name="restore_settings">Rtablir les paramtres</string> <string name="what_type_of_g4_bridge_device_do_you_use">Quel type de transmetteur G4 utilisez-vous?</string> <string name="xbridge_compatible">compatible xBridge</string> <string name="classic_simple">Classic simple</string> <string name="libre">Libre</string> <string name="what_type_of_libre_bridge_device_do_you_use">Quel type de transmetteur Libre utilisez-vous ?</string> <string name="bluetooth_bridge_device_blucon_limitter_bluereader_tomato_etc">Priphrique transmetteur Bluetooth (BluCon, LimiTTer, blueReader, Tomato, etc.)</string> <string name="libre_patched">Libre2 Patch</string> <string name="librealarm_app_using_sony_smartwatch">Application LibreAlarm : utilise Sony Smartwatch</string> <string name="__data_source_disabled">\n SOURCE DE DONNES DSACTIVE</string> <string name="data_source_is_set_to_">Source de donnes dfinie : </string> <string name="__do_you_want_to_change_settings_or_start_sensor">\n\nVoulez-vous changer les paramtres ou dmarrer le capteur ?</string> <string name="change_settings">Modifier les paramtres</string> <string name=your_sha256_hash>Voulez-vous supprimer et rinitialiser les calibrations de ce capteur ?</string> <string name="sensor_stop_confirm">Voulez-vous arrter le capteur?</string> <string name="sensor_stop_confirm_norestart">Vous ne pourrez pas simplement redmarrer le capteur.</string> <string name="sensor_stop_confirm_really_norestart">AVERTISSEMENT !\n\nVous ne pourrez pas redmarrer l\'appareil.</string> <string name=your_sha256_hashyour_sha256_hash_disable_this_for_you">Vous avez un ancien paramtre exprimental de prdiction de la glycmie activ.\n\nCe N\'est PAS RECOMMAND et pourrait causer des dgts.\n\nPuis-je de dsactiver pour vous?</string> <string name="settings_issue">Problme des paramtres !</string> <string name=your_sha256_hashyour_sha256_hashin_settings">Voulez-vous utiliser ce rsultat de glycmie capillaire synchronis pour calibrer?\n\n(vous pouvez changer lorsque cette bote de dialogue est affiche dans Paramtres)</string> <string name="use_bg_for_calibration">Utiliser les glycmies capilaires pour la calibration?</string> <string name=your_sha256_hashyour_sha256_hashn_settings">Voulez-vous utiliser ce rsultat de test de glycmie capillaire pour calibrer ?\n\n(vous pouvez changer lorsque cette bote de dialogue est affiche dans Paramtres)</string> <string name="yes_calibrate">OUI, calibrer</string> <string name="enable_automatic_calibration">Activer la calibration automatique</string> <string name=your_sha256_hashyour_sha256_hashyour_sha256_hashto_enable_this_feature">Les tests sanguins raliss durant les priodes stables peuvent tre utiliss pour recalibrer automatiquement 20 minutes aprs leur entre. Ceci devrait tre la mthode de calibration la plus prcise.\n\nVoulez-vous activer cette fonctionnalit ?</string> <string name="yes_enable">OUI, activer</string> <string name="blood_test_action">Action de test sanguin</string> <string name="what_would_you_like_to_do">Que voulez-vous faire?</string> <string name="nothing">Rien</string> <string name="are_you_sure_you_want_to_delete_this_blood_test_result">tes-vous sr de vouloir supprimer ce rsultat de test sanguin?</string> <string name="yes_delete">Oui, supprimer</string> <string name="deleted">Supprim !</string> <string name="wifi_sleep_policy_issue">Problme de politique de veille WiFi</string> <string name=your_sha256_hashyour_sha256_hashyour_sha256_hashto_set__always_keep_wifi_on_during_sleep">Votre WiFi est configur pour passer en veille lorsque l\'cran de tlphone est teint.\n\nCela peut causer des problmes si vous n\'avez pas de donnes cellulaires ou que vous avez des priphriques sur votre rseau local.\n\nVoulez-vous aller la page de configuration pour dfinir :\n\nToujours garder le WiFi pendant la veille ?</string> <string name="maybe_later">Peut-tre plus tard</string> <string name="yes_do_it">OUI, fais-le</string> <string name="recommend_that_you_change_wifi_to_always_be_on_during_sleep">Recommander de changer le WiFi pour toujours tre activ pendant la mise en veille</string> <string name="ooops_this_device_doesnt_seem_to_have_a_wifi_settings_page">Oups, cet appareil ne semble pas avoir de page de rglages WiFi!</string> <string name="restore_backup">Restaurer la sauvegarde ?</string> <string name="do_you_want_to_restore_the_backup_file_">Voulez-vous restaurer le fichier de sauvegarde : </string> <string name="restore">Restaurer</string> <string name="calibrate_sensor">Calibrer le capteur?</string> <string name=your_sha256_hashtest__ready_to_calibrate_now">Nous avons quelques valeurs!\n\nEnsuite, nous avons besoin d\'un premier test de glycmie capillaire.\n\nPrt calibrer maintenant ?</string> <string name="calibrate">Calibrer</string> <string name="confirm_delete">Confirmer la Suppression</string> <string name="are_you_sure_you_want_to_delete_this_treatment">tes-vous sr(e) de vouloir supprimer ce traitement ?</string> <string name="no_data_received_from_master_yet">Aucune donne reue du matre</string> <string name="last_from_master_">Dernier du matre : </string> <string name="prepare_to_test">Prparez-vous tester !</string> <string name=your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashhold_the_power_button_to_reboot_it">Aprs avoir cliqu sur OK, recherchez une icne de valeurs dans la zone de notification.\nSi vous voyez 123 alors le test a russi.\n\nSur certains tlphones, ce test plantera le tlphone.\n\nAprs 30 secondes, nous allons fermer la notification. Si votre tlphone ne se rtablit pas aprs cela, maintenez le bouton d\'alimentation pour le redmarrer.</string> <string name="running_test_with_number_123">Test en cours avec la valeur : 123</string> <string name="unusual_internal_context_problem__please_report">Problme de contexte interne anormal - veuillez le reporter</string> <string name="cannot_start__please_report_context_problem">Impossible de dmarrer - veuillez signaler le problme du contexte</string> <string name="xdrip_will_not_work_below_android_version_42">xDrip+ ne fonctionnera pas sur Android version 4.2 et antrieures</string> <string name="xdrip_oop2_not_installed">xDrip+ a besoin d\'OOP2 pour grer les capteurs Freestyle Libre2/LibreUS.</string> <string name=your_sha256_hashwork_well_please_reset_app_preferences">Cette application a besoin d\'une liste blanche d\'optimisation de batterie ou elle ne fonctionnera pas correctement. Veuillez rinitialiser les prfrences de l\'application</string> <string name="setting_disabled_">Paramtre dsactiv :)</string> <string name="yes_please">OUI, s\'il vous plat</string> <string name="automated_calibration_enabled">Calibration automatique active</string> <string name="treatment_cancelled">Traitement annul</string> <string name="treatment_time_wrong">Temps de traitement incorrect</string> <string name="treatment_error">Erreur de traitement</string> <string name="treatment_processed">Traitement trait</string> <string name="number_error_">Erreur de numro : </string> <string name="starting_sync_to_other_devices">Dmarrage de la synchronisation vers d\'autres appareils</string> <string name="deleting_all_bg_readings">Supprimer toutes les lectures BG!</string> <string name="could_not_export_csv_">Impossible d\'exporter vers CSV :(</string> <string name=your_sha256_hashno_data">Le format de donnes de LibreAlarm semble incompatible! Protocole modifi ou pas de donnes?</string> <string name="please_update_librealarm_to_use_oop_algorithm">Veuillez mettre jour LibreAlarm pour utiliser l\'algorithme OOP</string> <string name="sensor_clock_has_not_advanced">L\'horloge du capteur n\'a pas avanc !</string> <string name="sensor_age_has_gone_backwards">L\'ge du capteur est all en arrire!</string> <string name="phone_has_no_nfc_reader">Le tlphone n\'a pas de lecteur NFC</string> <string name="nfc_is_not_enabled">NFC n\'est pas activ</string> <string name="phone_nfc_is_having_problems">Le NFC du tlphone a des problmes!</string> <string name="not_so_quickly_wait_60_seconds">Pas si vite, attendez 60 secondes</string> <string name="not_so_quickly_wait_30_seconds">Pas si vite, attendez 30 secondes</string> <string name="nfc_diag_timeout">Dlai de diagnostic NFC</string> <string name="nfc_read_timeout">Dlai de lecture NFC</string> <string name="nfc_invalid_data__try_again">Donnes NFC non valides - ressayez</string> <string name="turned_off_anytag_feature">Dsactiver la fonctionnalit de n\'importe quel tag</string> <string name="nfc_invalid_data">Donnes NFC non valides</string> <string name="scanned_ok">Scan OK !</string> <string name="nfc_io_error">Erreur IO NFC</string> <string name="nfc_error">Erreur NFC</string> <string name="still_processing_previous_backfill_request">Toujours en cours de traitement de la demande de remplissage prcdente !</string> <string name="please_wait">Veuillez patienter...</string> <string name="didnt_find_any_glucose_readings_in_that_time_period">Aucune lecture de glycmie n\'a t trouve durant cette priode</string> <string name="got_calibration_in_the_future__cannot_process">Valeur de calibration dans le futur - impossible traiter!</string> <string name="remote_snooze">Mise en veille distante...</string> <string name="sensor_stopped">Capteur arrt</string> <string name="restarting_collector">Redmarrage du Collecteur !</string> <string name="follower_deleted_succesfully">Abonn supprim avec succs</string> <string name="failed_to_delete_follower">Impossible de supprimer l\'abonn</string> <string name="input_not_found_cancelled">Entre introuvable ! Annul !</string> <string name="cancelled">Annul !</string> <string name="no_sensor_found">Aucun capteur trouv</string> <string name="checksum_failed__retrying">chec de la somme de contrle - nouvelle tentative</string> <string name="scanning">Scan en cours</string> <string name="authentication_failed_wrong_password">chec de l\'authentification. Mauvais mot de passe ?</string> <string name="share_login_data_isnt_valid">Les donnes de connexion Share ne sont pas valide - vrifier le nom d\'utilisateur / mot de passe</string> <string name="connectivity_problem_reaching_share_servers">Problme de connectivit pour rejoindre les serveurs Share</string> <string name="ob1_session_restarted_title">Capteurs redmarrs</string> <string name="ob1_session_restarted_msg">La session du capteur a t redmarre prventivement. Veuillez vrifier si les prochaines lectures sont dcales et calibrer si ncessaire</string> <string name="ob1_session_restarted_note">La session du capteur a t redmarre</string> <string name="title_ob1_g5_preemptive_restart_extended_time_travel">Dure de voyage prolonge</string> <string name="summary_ob1_g5_preemptive_restart_extended_time_travel">Redmarrer la session pour commencer au troisime jour afin d\'viter de causer des sauts</string> <string name=your_sha256_hashes">Toujours autoriser les dures de voyage prolonges</string> <string name=your_sha256_hashares">Autoriser le temps de vie prolonge avec toutes les versions du code (mode ingnierie uniquement)</string> <string name="collection_summary_ob1_g5_preemptive_restart">Redmarrer automatiquement un capteur avant qu\'il ne s\'arrte</string> <string name="title_ob1_g5_preemptive_restart_alert">Alerte au redmarrage prventif</string> <string name="summary_ob1_g5_preemptive_restart_alert">Dclencher une alerte lors du redmarrage prventif de la session</string> <string name="blood_glucose_graph">Graphique Glycmie</string> <string name="pref_enable_insulinprofiles">Activer au moins un et maximum trois profils</string> <string name="pref_select_basal_insulinprofiles">Choisir le profil d\'insuline basale.</string> <string name="pref_select_bolus_insulinprofiles">Choisir le profil d\'insuline de bolus. galement utilis pour la pompe et le stylo...</string> <string name="enable_streaming_summary">Se connecter des capteurs Freestyle Libre2 aprs les avoir scanns. Cela empchera le lecteur Freestyle Libre et l\'application LibreLink de recevoir les alertes</string> <string name="enable_streaming_title">Dmarrage de la connexion Bluetooth avec les capteurs Libre2</string> <string name="enable_streaming_always_allow">Toujours se connecter aux capteurs Libre2</string> <string name="enable_streaming_ask_each_time">Demander chaque fois</string> <string name="enable_streaming_never">Ne jamais se connecter aux capteurs Libre2</string> <string name="libre_filter_length_10">10 minutes</string> <string name="libre_filter_length_15">15 minutes</string> <string name="libre_filter_length_25">25 minutes &gt;</string> <string name="libre_filter_length_summary">Nombre de minutes prendre en compte lors de l\'utilisation des donnes de LibreX</string> <string name="libre_filter_length_title">Lisser les donnes Libre 3 en utilisant la mthode xxx</string> <string name="enable_streaming_dialog_yes">Se connecter ce capteur Libre2</string> <string name="enable_streaming_dialog_no">Ne pas se connecter ce capteur Libre2 </string> <string name="enable_streaming_dialog_dont_ask_again">Ne plus me le demander</string> <string name="enable_streaming_dialog_text">Voulez-vous connecter xDrip ce capteur? Cela empchera le lecteur Freestyle et l\'application LibreLink de recevoir les alertes. Appuyez sur oui et scannez vous nouveau pour vous connecter (choisissez de ne pas vous connecter si vous voulez excuter xDrip avec l\'application patche)</string> <string name="enable_streaming_dialog_title">Connexion du capteur Libre au Bluetooth</string> <string name="without_camera_permission_cannot_scan_barcode">Impossible de scanner le code-barres sans la permission camra</string> <string name="summary_create_missing_filtered">Rendre les donnes filtres si ncessaire</string> <string name="title_create_missing_filtered">Crer les filtres manquantes</string> <string name="summary_widget_hide_graph">Masquer le graphe sur les widgets (applicable la prochaine lecture)</string> <string name="title_widget_hide_graph">Masquer le graphe du widget</string> <string name="summary_illustrate_remote_data">Afficher les donnes reues distance (diagnostic uniquement)</string> <string name="title_illustrate_remote_data">Illustrer les donnes distantes</string> <string name="summary_show_accessibility_settings">Si votre tlphone est compatible avec la fonction \"Always On Display\", vous pouvez activer le widget xDrip en activant le service d\'accessibilit xDrip depuis les paramtres Android.</string> <string name="title_show_accessibility_settings">Activer l\'accessibilit xDrip</string> <string name="title_multiple_insulin_types_settings">Types d\'insuline multiples</string> <string name="summary_multiple_insulin_types_settings">Options pour utiliser plusieurs types d\'insuline</string> <string name="title_multiple_insulin_types">Types d\'insuline multiples</string> <string name="summary_multiple_insulin_use_basal_activity">Tracer l\'activit basale sur le graphique et l\'incorporer dans le modle prdictif</string> <string name="title_multiple_insulin_use_basal_activity">Utiliser l\'activit Basal</string> <string name="title_xdrip_plus_snooze_broadcast">Diffusion locale</string> <string name="summary_broadcast_snooze">Envoyer des rptitions d\'autres applications sur ce combin</string> <string name="title_broadcast_snooze">Diffusion locale</string> <string name="summary_accept_broadcast_snooze">Accepter les mises en veille d\'autres applications sur ce combin</string> <string name="title_accept_broadcast_snooze">Accepter la diffusion locale</string> <string name="title_bg_compensate_noise">\u26A0 Bruit du capteur liss</string> <string name="title_bg_compensate_noise_ultrasensitive">\u26A0 Bruit du capteur ultrasensible liss</string> <string name="no_battery_optimization_whitelisting">Le priphrique ne semble pas prendre en charge la mise en liste blanche de l\'optimisation de la batterie!</string> <string name="no_i_really_know">Non, je sais vraiment ce que je fais</string> <string name="use_for_calibration">Utiliser %s pour la calibration?</string> <string name="problem_loading_speech_lexicon">Problme lors du chargement du lexique vocal!</string> <string name="type_treatment_eg">Type de traitement\npar exemple: x.x units</string> <string name="word_lexicon_not_loaded">Le lexique de mots n\'a pas t charg!</string> <string name="no_never">NON, jamais</string> <string name="auto_starting_sensor">Dmarrage automatique du capteur !</string> <string name="start_sensor_confirmation">La source de donnes est dfinie : %s\n\nVoulez-vous modifier les paramtres ou dmarrer le capteur ?</string> <string name="state_not_currently_known">L\'tat %s n\'est pas encore connu. La prochaine connexion le mettra jour</string> <string name="unusual_calibration_waiting">tat de calibration inhabituel - en attente de donnes supplmentaires</string> <string name="could_not_find_blood_data">Impossible de trouver les donnes de test sanguin!! %s</string> <string name="transmitter_waiting_for_calibration">En attente de la rception de calibration par l\'metteur</string> <string name="sensor_not_started">La session du capteur ne semble pas tre dmarre</string> <string name="not_getting_readings">Pas de lectures reues.</string> <string name="bridge_battery">Batterie du transmetteur</string> <string name="transmitter_maybe_dead">les donnes filtres sont exactement deux fois les donnes du capteur brut, ce qui semble incorrect! (L\'metteur est peut-tre mort)</string> <string name="noise_workings_noise">Bruit : %s</string> <string name="snoozing_due_button_press">Mise en veille de l\'alerte en raison d\'un appui sur le bouton de volume</string> <string name="share_database">Base de donne Share...</string> <string name="title_motion_detection_warning">Alerte de dtection de mouvement</string> <string name="message_motion_detection_warning">La dtection de mouvement est exprimentale et seuls certains tlphones sont compatibles. Son but principal est de dtecter le mode vhicule.\n\nLors de tests, il semble que les tlphones haut de gamme sont les plus susceptibles de prendre en charge correctement les capteurs ncessaires son fonctionnement. Cela peut galement vider votre batterie.\n\nPour les mouvements lis l\'exercice, les compteurs de pas des Smartwatch fonctionnent mieux.</string> <string name="title_variant">Vous utilisez une variante xDrip+</string> <string name="message_variant">Les variantes xDrip+ permettent l\'installation simultane de plusieurs applications. Soit pour une utilisation avance, soit pour permettre xDrip-Experimental et xDrip+ d\'tre installs en mme temps.\n\nAvec les variantes, certaines choses peuvent ne pas fonctionner correctement en raison d\'un accs exclusif par une des deux applications, par exemple pour l\'appairage bluetooth. Les commentaires et les rapports de bugs sur les variantes sont les bienvenus !</string> <string name="expires_unknown">Expire: ???</string> <string name="sensor_expired">EXPIR !</string> <plurals name="sensor_expires"> <item quantity="one">Expire: %sj</item> <item quantity="other">Expire: %sj</item> </plurals> <plurals name="sensor_age"> <item quantity="one">ge: %sj</item> <item quantity="other">ge: %sj</item> </plurals> <string name="external_status_strings_eg_tbr">Chanes d\'tat externes, par exemple TBR d\'AAPS</string> <string name="accept_external_status">Accepter le statut externe</string> <string name="cancel_by_default">Annuler par dfaut</string> <string name="old">Ancien</string> <string name="neww">Nouveau</string> <string name="reschedule_with_new_timing">Replanifier avec un nouveau dlai?</string> <string name="select_new_sound_source">Slectionner une nouvelle source sonore</string> <string name="snooze_done"> Mise en veille / Fait </string> <string name="zero_value">Valeur zro</string> <string name="adjust_dose">Ajuster la dose</string> <string name="Dose">Dose</string> <string name="choose_type">Choisir le type</string> <string name="invalid_serial">Numro de srie invalide</string> <string name="set_pen_to_format">Dfinir le stylo %s %s</string> <string name="pen_contains_which_insulin_type">Le Stylo %s contient quel type d\'insuline?</string> <string name="allow_do_not_disturb_text">Pour pouvoir avoir la possibilit optionnelle d\'alerter mme lorsque la fonction Android Ne-Pas-Dranger est active, veuillez autoriser cette autorisation xDrip dans les paramtres du systme sur la page suivante</string> <string name="graphical_editor_for_pump_basal">diteur graphique pour les profils basal de la pompe</string> <string name="basal_profile_editor">diteur de profil Basal</string> <string name="import_sounds">Importer des sons</string> <string name="play_sounds_when_importing">Jouer des sons lors de l\'importation de donnes significatives telles que des profils</string> <string name="show_action_buttons_within_alerts">Afficher les boutons d\'action (comme Snooze) dans les notifications d\'alerte</string> <string name="alert_buttons">Boutons d\'alerte</string> <string name="show_sensor_expiry">Afficher l\'expiration du capteur</string> <string name="show_collector_status">Afficher le statut du Collecteur</string> <string name="show_chart_preview">Afficher l\'aperu du graphique</string> <string name="locked_time_period_always_used">Priode de vrouillage toujours utilise</string> <string name="show_time_buttons">Afficher les boutons de l\'heure</string> <string name="source_wizard_button">Bouton de l\'assistant source</string> <string name="please_wait_seconds_before_trying_to_start_sensor">Veuillez patienter %d secondes avant d\'essayer de dmarrer le capteur</string> <string name="please_update_OOP2_or_move_to_calibrate_based_on_raw_mode">veuillez mettre jour OOP2, sinon utilisez le mode de la calibration base sur les mesures brutes</string> <string name="reminder">Rappel</string> <string name="notification">Notification</string> <string name="TX_EOL_reminder">Lorsque les jours de transmetteur sur la page d\'tat du systme atteignent %1$d, ce sera la dernire occasion de dmarrer un capteur sur ce transmetteur. Actuellement %2$d jours.</string> <string name="TX_EOL_notification">Si vous continuez et dmarrez le capteur, il est trs probable qu\'il chouera en raison des jours de transmetteur ayant atteint le maximum.</string> <string name="TX_EOL_reminder_mod">Les jours de transmetteur approchent le maximum. Bientt, vous ne serez pas en mesure de dmarrer des capteurs sur ce transmetteur. Actuellement %d jours.</string> <string name="proceed">Procder</string> <string name="special_pairing_workaround">Contournement de jumelage spcial</string> <string name="save_power">conomiser l\'nergie</string> <string name="reduce_battery_and_network_overhead">Rduire la charge sur la batterie et le rseau en utilisant le traitement par lots et en excluant les donnes inutiles</string> <string name="simplify_graphs_by_smoothing_out_irregularities">Simplifier les graphiques en lissant les irrgularits des lectures prcdentes. La lecture actuelle, les alertes et la valeur de diffusion ne sont pas affectes par ce paramtre. </string> <string name="graph_smoothing">Lissage du graphique</string> <string name="enable_graph_smoothing">Activer</string> <string name="last_reading">Dernire lecture</string> <string name="select_file_for_alert">Slectionner le son pour l\'alerte</string> <string name="cannot_choose_file_without_permission">Impossible de choisir le fichier sans l\'autorisation de stockage</string> <string name="select_time">Slectionner l\'horaire</string> <string name="select_tone_for_alerts">Slectionner le son pour les alertes</string> <string name="show_unsmoothed">Afficher non-lisses</string> <string name="show_unsmoothed_summary">Afficher les donnes non lisses mme si le lissage du graphique est activ. Si le plugin d\'talonnage est utilis, les donnes non lisses (au lieu des donnes du plugin) seront affiches.</string> <string name="you_can_use_google_drive_for_backup">Vous pouvez utiliser Google Drive pour la sauvegarde</string> <string name="select_backup_location">Slectionner l\'emplacement de la sauvegarde</string> <string name="do_backup_now">Sauvegarder Maintenant</string> <string name="automatic_daily_backup">Sauvegarde journalire automatique</string> <string name="restore_from_backup">Restaurer depuis la sauvegarde</string> <string name="are_you_really_sure_question">tes-vous vraiment sr ?</string> <string name="backup_source_confirm">Confirmation de l\'emplacement de sauvegarde</string> <string name="nothing_to_restore_please_select">Rien restaurer - merci de slectionner l\'emplacement</string> <string name="no_backup_location_set">Aucun emplacement de sauvegarde slectionn</string> <string name="backing_up">Sauvegarde en cours</string> <string name="did_backup_ok">Sauvegarde OK</string> <string name="backup_failed">chec de la sauvegarde</string> <string name="automatically_manage_backup">Sauvegarde gre automatiquement</string> <string name="use_alternate_file">Utiliser un fichier alternatif</string> <string name="choose_backup_file">Choisir le fichier de sauvegarde</string> <string name="select_alternate_file">Slectionner un fichier alternatif</string> <string name="change_account">Changer de Compte</string> <string name="keep_same_account">Conserver le mme compte</string> <string name="change_google_account">Changer de compte Google</string> <string name="attempting_restore">Tentative de restauration</string> <string name="restore_succeeded_restarting">Restauration russie - redmarrage de l\'application</string> <string name="restore_failed">chec de la restauration !</string> <string name="error_exclamation">Erreur!</string> <string name="checking_file">Vrification du fichier</string> <string name="failed_to_read_file">chec de lecture du fichier</string> <string name="permission_problem_retry">Problme d\'autorisation - ressayer</string> <string name="alternate_file_selected">Fichier alternatif slectionn</string> <string name="temporary_google_drive_file">Fichier temporaire Google Drive</string> <string name="no_file_was_chosen">Aucun fichier n\'a t choisi</string> <string name="could_not_sign_in">Impossible de se connecter</string> <string name="problem_with_file_selection">Problme avec la slection de fichier</string> <string name="selected_file_location">Emplacement du fichier slectionn</string> <string name="please_reselect_backup_file">Veuillez re-slectionner le fichier de sauvegarde</string> <string name="ready">Prt</string> <string name="uploading_to_cloud">Envoi vers le cloud</string> <string name="error_with_local_backup">Erreur avec la sauvegarde locale</string> <string name="upload_successful">Envoi russi</string> <string name="error_uploading_to_cloud">Erreur lors de l\'envoi vers le cloud</string> <string name="creating_local_backup">Cration d\'une sauvegarde locale</string> <string name="output_error">Erreur de sortie:</string> <string name="security_error">Erreur de scurit:</string> <string name="please_grant_permission">Veuillez accorder la permission</string> <string name="drive_permission_blurb">Pour sauvegarder automatiquement xDrip ncessite l\'autorisation d\'utiliser votre Google Drive.\n\nLes dveloppeurs de xDrip ne peuvent accder aucun de vos fichiers ni consulter vos informations personnelles.</string> <string name="cloud_backup">Sauvegarde dans le Cloud</string> <string name="select_automatic_or_select_alternate">Slectionner Automatique pour que xDrip gre les fichiers dans Google Drive ou slectionner un autre fichier spcifique utiliser si vous devez restaurer partir d\'ailleurs.</string> <string name="restoring_backup_will_erase_warning">Restaurer une sauvegarde effacera vos paramtres et donnes actuelles de la sauvegarde.\n\ntes-vous absolument sr de vouloir le faire ?</string> <string name="you_cannot_undo_delete_alert">Vous ne pourrez pas annuler cela !\n\ntes-vous sr de vouloir supprimer cette alerte ?</string> <string name="this_backup_looks_like_came_from_different_format_string">Cette sauvegarde semble venir d\'un autre appareil :\n%s\ntes-vous sr de vouloir restaurer partir de cette sauvegarde ?</string> <string name="megabyte_format_string">%.1f Mo</string> <string name="manual_selection_google_drive_file_warning">Vous avez slectionn un fichier de Google Drive, mais ce n\'est pas gr automatiquement par xDrip donc il ne peut tre utilis que pour les sauvegardes et la restauration manuelles.\n\nAucune sauvegarde automatique ne se produira avec ce fichier.\n\nContinuer ?</string> <string name="alternate_file_selected_warning">Vous avez slectionn un autre fichier. Gnralement, cela permettrait juste de restaurer partir d\'une sauvegarde stocke localement.\n\nAucune sauvegarde automatique ne se produira avec ce fichier.\n\nContinuer ?</string> <string name="backup_file_security_error_advice">Le fichier de sauvegarde rapporte une erreur de scurit. Normalement, cela signifie que vous devez le re-slectionner pour continuer autoriser l\'accs xDrip.</string> <string name="invalid_time">Heure non valide</string> <string name="none">aucun</string> <string name="format_string_ago">Il y a %s</string> <string name="use_background_scans">Utiliser les scans en arrire-plan</string> <string name="android_8_background_scanning">Utiliser la fonction de scan en arrire-plan d\'Android 8+</string> <string name="title_yRange">Personnaliser la plage de l\'axe y</string> <string name="titleInside_yRange">Activer</string> <string name="summaryInside_yRange">Vous pouvez ajuster la plage d\'axe vertical (y) ici.\nCependant, si vous avez des valeurs en dehors de cette fourchette, elles s\'tendront automatiquement, pendant plusieurs heures, pour permettre ces valeurs de s\'afficher.</string> <string name="title_ymin">Ajuster le minimum de l\'axe y</string> <string name="title_ymax">Ajuster le maximum de l\'axe y</string> <string name="summary_ymin">Choisir yMin lorsqu\'il n\'y a pas de mesures plus petites.</string> <string name="summary_ymax">Choisir yMax lorsqu\'il n\'y a pas de mesures plus grandes.</string> <string name="wait_to_connect">Vrifier les paramtres et attendre la connexion.</string> <string name="summary_sens_expiry_notify">Notifier lorsque le capteur est proche de l\'expiration.</string> <string name="title_sens_expiry_notify">Expiration du capteur</string> <string name="close">Fermer</string> <string name="title_advanced_settings_4_Lib2">Paramtres avancs pour Libre 2</string> <string name="title_Lib2_show_raw_values">Afficher les valeurs brutes dans le graphique</string> <string name="summary_Lib2_show_raw_values">Activer pour afficher les valeurs brutes dans le graphique.</string> <string name="title_Lib2_show_sense_on_status">Afficher les informations du capteur dans statut</string> <string name="summary_Lib2_show_sense_on_status">Activez pour afficher des informations supplmentaires du capteur de Libre 2 dans Statut.</string> <string name="import_qr_code_warning">Importer les paramtres eulement des sources de confiance !\n\nVeuillez confirmer l\'importation les paramtres suivants :\n\n</string> <string name="scan_to_load_xdrip_settings">Scanner pour charger les paramtres de xDrip</string> <string name="manage_permissions">Grer les permissions</string> <string name="open_health_connect_settings_to_manually_manage_permissions">Ouvrir les paramtres Health Connect pour grer manuellement les autorisations</string> <string name="send_data_to_health_connect">Envoyer des donnes Health Connect</string> <string name="get_data_from_health_connect">Recevoir les donnes de Health Connect</string> <string name=your_sha256_hash4">Ncessite Android 8+ et l\'application Google compagnon ou Android 14+</string> <string name="send_and_receive_data_from_google_health_connect_and_google_fit">Envoyer et recevoir des donnes de Google Health Connect et Google Fit</string> <string name="google_health_connect">Google Health Connect</string> <string name="google_health_connect_needs_perms">ERREUR: Health Connect a besoin d\'autorisations! Essayer nouveau dans le menu des paramtres</string> <string name="carelink_auth_country_required">Le pays est requis!</string> <string name="carelink_auth_status_authenticated">Statut authentifi !</string> <string name="carelink_auth_status_not_authenticated">Statut non authentifi !</string> <string name="carelink_auth_login_in_progress">Connexion en cours...</string> <string name="carelink_refresh_token_start">Commencer le renouvellement de l\'accs</string> <string name="carelink_refresh_token_failed">Le renouvellement de l\'accs a chou ! Vais ressayer !</string> <string name="carelink_download_start">Dmarrer le tlchargement</string> <string name="carelink_download_failed">chec du tlchargement des donnes !</string> <string name="carelink_credential_status_not_authenticated">Non connect! Veuillez vous connecter!</string> <string name="carelink_credential_status_access_expired">Accs expir! Vais actualiser !</string> <string name="carelink_credential_status_refresh_expired">Connexion expire! Veuillez vous connecter!</string> <string name="data_source">Source de donnes:</string> <string name="disable_collection">Dsactiver la collection</string> <string name="insulin_pens">Stylos Insuline</string> <string name="editing">Modification</string> <string name="enable_missed_reading_alert">Activer l\'alerte de lecture manque</string> <string name="alert_if_no_data_received_in_colon">Alerte si aucune donne reue dans:</string> <string name="wait_before_raising_the_same_alert_after_snooze_colon">Nombre de minutes avant de dclencher la mme alerte aprs sa mise en veille:</string> <string name="reraise_alerts_before_snooze_time">Relancer les alertes avant la dure de mise en veille</string> <string name="alert_reraise_time_colon">Dlai de relance de l\'alerte:</string> <string name="select_start_time">Slectionner lheure de dbut</string> <string name="select_end_time">Slectionner l\'heure de fin</string> <string name="accept_glucose">Accepter la Glycmie</string> <string name="process_glucose_data_received">Traiter les donnes de glucose reues de l\'application NSClient</string> <string name="use_health_connect">Utiliser Health Connect</string> <string name="audio_focus">Priorit audio</string> <string name="audio_focus_summary">Choisir ce qu\'il faut faire avec les autres applications lors de lecture d\'alertes et rglage du volume du systme</string> <string name="audio_focus_dont_adjust_other_app_sounds">Ne pas ajuster les sons des autres applications</string> <string name="audio_focus_lower_volume_of_other_apps">Rduire le volume des autres applications</string> <string name="audio_focus_pause_other_apps_playing_audio">Mettre en pause les autres applications en cours de lecture audio</string> <string name="audio_focus_pause_all_other_sounds">Mettre en pause tous les autres sons</string> <string name="use_camera_light">Utiliser la lumire de la camra</string> <string name="use_camera_light_summary">Allumer la lumire de la camra lors des alertes si connect un chargeur</string> <string name="g7_should_start_automatically">Le G7 devrait dmarrer automatiquement</string> </resources> ```
/content/code_sandbox/app/src/main/res/values-fr/strings-fr.xml
xml
2016-09-23T13:33:17
2024-08-15T09:51:19
xDrip
NightscoutFoundation/xDrip
1,365
47,100
```xml <?xml version="1.0" encoding="utf-8"?> <FrameLayout xmlns:android="path_to_url" xmlns:tools="path_to_url" android:id="@+id/video_view" android:layout_width="match_parent" android:layout_height="match_parent" > <ImageView android:id="@+id/cover_image" android:layout_width="match_parent" android:layout_height="match_parent" android:contentDescription="@null" android:scaleType="fitXY" /> <RelativeLayout android:layout_width="match_parent" android:layout_height="20dp" android:background="#7F000000" android:paddingLeft="5dp" android:paddingRight="5dp" android:layout_gravity="bottom"> <TextView android:id="@+id/video_duration" android:layout_width="wrap_content" android:layout_height="match_parent" android:gravity="center" android:layout_alignParentRight="true" android:textSize="12sp" android:textColor="#ffffff" tools:text="12:10"/> </RelativeLayout> </FrameLayout> ```
/content/code_sandbox/app/src/main/res/layout/video_select_gridview_item.xml
xml
2016-08-29T02:21:34
2024-08-16T08:34:38
Android-Video-Trimmer
iknow4/Android-Video-Trimmer
1,090
252
```xml import { VoiceEntry, RhythmInstruction, KeyInstruction } from "../VoiceData"; export interface IVoiceMeasureReadPlugin { measureReadCalculations(measureVoiceEntries: VoiceEntry[], activeKey: KeyInstruction, activeRhythm: RhythmInstruction): void; } ```
/content/code_sandbox/src/MusicalScore/Interfaces/IVoiceMeasureReadPlugin.ts
xml
2016-02-08T15:47:01
2024-08-16T17:49:53
opensheetmusicdisplay
opensheetmusicdisplay/opensheetmusicdisplay
1,416
56
```xml ( { Comments = "Binhex'd files (usually Macintosh files)"; file_extension = .hqx; wrapped_programs = (hexbin); command = "%%WRAPPED_PROGRAM_HEXBIN%% -3 %%FILE%%"; }, { Comments = { .compressed = "tar & compressed archive, alternate extension under NEXTSTEP"; .tar.Z = "tar & compressed archive"; .gnutar.gz = "gnutar & gzipped archive"; ".tar-gz" = "tar & gzipped archive, alternate extension common on VMS"; ".tar-z" = "tar & gzipped archive, alternate extension common on VMS"; .tar.gz = "tar & gzipped archive"; .taz = "tar & gzipped archive, alternate extension common on IBM"; .tgz = "tar & gzipped archive, alternate extension common on IBM/Macintosh/Rhapsody"; }; file_extension = (.compressed, .tgz, .tar.gz, .tar.Z, .taz, ".tar-z", ".tar-gz", .gnutar.gz); wrapped_programs = (tar,gunzip); command = "%%WRAPPED_PROGRAM_TAR%% -xozf %%FILE%%"; }, { Comments = { .gnutar = "gnutar archive, common on Unix/NEXTSTEP/Rhapsody"; .tar = "tar archive, common on Unix/NEXTSTEP/Rhapsody"; }; file_extension = (.tar, .gnutar); wrapped_programs = (tar); command = "%%WRAPPED_PROGRAM_TAR%% -xof %%FILE%%"; }, { Comments = { .Z = "compressed file, common on Unix"; .gz = "gzipped file, better compression than compress, no patent LZW issues"; .z = "gzipped or pack file, original extension for gzip, renamed due to conflict with pack files"; }; file_extension = (.Z, .gz, .z); wrapped_programs = (gunzip); command = "%%WRAPPED_PROGRAM_GUNZIP%% -c %%FILE%% > %%FILENAME-WITHOUT_FILE_EXTENSION-WITHOUT_PATH%%"; }, { Comments = "ZIP files, the standard on Windows 95/NT"; file_extension = .zip; wrapped_programs = (unzip); command = "%%WRAPPED_PROGRAM_UNZIP%% -o %%FILE%%"; }, { Comments = "LHA files, ancient compression format on IBM PCs"; file_extension = (.lha, .lzh); wrapped_programs = (lha); command = "%%WRAPPED_PROGRAM_LHA%% xf %%FILE%%"; }, { Comments = "ARJ files, compression format on IBM PCs"; file_extension = .arj; wrapped_programs = (unarj); command = "%%WRAPPED_PROGRAM_UNARJ%% e %%FILE%%"; }, { Comments = { .bin = "Macbinary file, common on Macintosh"; .cpt = "Compactor Pro file, older compression format on the Macintosh"; .macbin = "Macbinary file, common on Macintosh"; .pit = "Pack It file, older compression format on the Macintosh"; .sit = "StuffIt file, common on Macintosh (Older 1.5 archives only...)"; }; file_extension = (.bin, .macbin, .cpt, .sit, .pit); wrapped_programs = (macunpack); command = "%%WRAPPED_PROGRAM_MACUNPACK%% -3 %%FILE%%"; } ) ```
/content/code_sandbox/Applications/OpenUp/filesConfig.plist
xml
2016-10-28T07:02:49
2024-08-16T14:14:55
nextspace
trunkmaster/nextspace
1,872
835
```xml /* * one or more contributor license agreements. See the NOTICE file distributed * with this work for additional information regarding copyright ownership. */ import {Locator, Page} from '@playwright/test'; export class Diagram { private page: Page; readonly diagram: Locator; readonly popover: Locator; constructor(page: Page) { this.page = page; this.diagram = this.page.getByTestId('diagram'); this.popover = this.page.getByTestId('popover'); } async moveCanvasHorizontally(dx: number) { const boundingBox = await this.page .getByTestId('diagram-body') .boundingBox(); if (boundingBox === null) { throw new Error( 'An error occurred when dragging the diagram: diagram bounding box is null', ); } const startX = boundingBox.x + boundingBox.width / 2; const startY = boundingBox.y + 50; // move diagram into viewport to be fully visible await this.page.mouse.move(startX, startY); await this.page.mouse.down(); await this.page.mouse.move(startX + dx, startY); await this.page.mouse.up(); } clickFlowNode(flowNodeName: string) { return this.getFlowNode(flowNodeName).click(); } getFlowNode(flowNodeName: string) { return this.diagram .locator('.djs-element') .filter({hasText: new RegExp(`^${flowNodeName}$`, 'i')}); } getExecutionCount(elementId: string) { return this.diagram.evaluate( (node, {elementId}) => { const completedOverlay: HTMLDivElement | null = node.querySelector( `[data-container-id="${elementId}"] [data-testid="state-overlay-completed"]`, ); return completedOverlay?.innerText; }, {elementId}, ); } } ```
/content/code_sandbox/operate/client/e2e-playwright/pages/components/Diagram.ts
xml
2016-03-20T03:38:04
2024-08-16T19:59:58
camunda
camunda/camunda
3,172
402
```xml import { PersonaPresence, PersonaSize } from './Persona.types'; import { FontWeights, normalize, noWrap, getGlobalClassNames } from '../../Styling'; import { personaSize, presenceBoolean, sizeBoolean } from './PersonaConsts'; import type { IPersonaStyleProps, IPersonaStyles } from './Persona.types'; import type { IStyle } from '../../Styling'; const GlobalClassNames = { root: 'ms-Persona', size8: 'ms-Persona--size8', size10: 'ms-Persona--size10', size16: 'ms-Persona--size16', size24: 'ms-Persona--size24', size28: 'ms-Persona--size28', size32: 'ms-Persona--size32', size40: 'ms-Persona--size40', size48: 'ms-Persona--size48', size56: 'ms-Persona--size56', size72: 'ms-Persona--size72', size100: 'ms-Persona--size100', size120: 'ms-Persona--size120', available: 'ms-Persona--online', away: 'ms-Persona--away', blocked: 'ms-Persona--blocked', busy: 'ms-Persona--busy', doNotDisturb: 'ms-Persona--donotdisturb', offline: 'ms-Persona--offline', details: 'ms-Persona-details', primaryText: 'ms-Persona-primaryText', secondaryText: 'ms-Persona-secondaryText', tertiaryText: 'ms-Persona-tertiaryText', optionalText: 'ms-Persona-optionalText', textContent: 'ms-Persona-textContent', }; export const getStyles = (props: IPersonaStyleProps): IPersonaStyles => { const { className, showSecondaryText, theme } = props; const { semanticColors, fonts } = theme; const classNames = getGlobalClassNames(GlobalClassNames, theme); const size = sizeBoolean(props.size as PersonaSize); const presence = presenceBoolean(props.presence as PersonaPresence); const showSecondaryTextDefaultHeight = '16px'; const sharedTextStyles: IStyle = { color: semanticColors.bodySubtext, fontWeight: FontWeights.regular, fontSize: fonts.small.fontSize, }; return { root: [ classNames.root, theme.fonts.medium, normalize, { color: semanticColors.bodyText, position: 'relative', height: personaSize.size48, minWidth: personaSize.size48, display: 'flex', alignItems: 'center', selectors: { '.contextualHost': { display: 'none', }, }, }, size.isSize8 && [ classNames.size8, { height: personaSize.size8, minWidth: personaSize.size8, }, ], // TODO: Deprecated size and needs to be removed in a future major release. size.isSize10 && [ classNames.size10, { height: personaSize.size10, minWidth: personaSize.size10, }, ], // TODO: Deprecated size and needs to be removed in a future major release. size.isSize16 && [ classNames.size16, { height: personaSize.size16, minWidth: personaSize.size16, }, ], size.isSize24 && [ classNames.size24, { height: personaSize.size24, minWidth: personaSize.size24, }, ], size.isSize24 && showSecondaryText && { height: '36px', }, // TODO: Deprecated size and needs to be removed in a future major release. size.isSize28 && [ classNames.size28, { height: personaSize.size28, minWidth: personaSize.size28, }, ], size.isSize28 && showSecondaryText && { height: '32px', }, size.isSize32 && [ classNames.size32, { height: personaSize.size32, minWidth: personaSize.size32, }, ], size.isSize40 && [ classNames.size40, { height: personaSize.size40, minWidth: personaSize.size40, }, ], size.isSize48 && classNames.size48, size.isSize56 && [ classNames.size56, { height: personaSize.size56, minWidth: personaSize.size56, }, ], size.isSize72 && [ classNames.size72, { height: personaSize.size72, minWidth: personaSize.size72, }, ], size.isSize100 && [ classNames.size100, { height: personaSize.size100, minWidth: personaSize.size100, }, ], size.isSize120 && [ classNames.size120, { height: personaSize.size120, minWidth: personaSize.size120, }, ], /** * Modifiers: presence */ presence.isAvailable && classNames.available, presence.isAway && classNames.away, presence.isBlocked && classNames.blocked, presence.isBusy && classNames.busy, presence.isDoNotDisturb && classNames.doNotDisturb, presence.isOffline && classNames.offline, className, ], details: [ classNames.details, { padding: '0 24px 0 16px', minWidth: 0, width: '100%', textAlign: 'left', display: 'flex', flexDirection: 'column', justifyContent: 'space-around', }, (size.isSize8 || size.isSize10) && { paddingLeft: 17, // increased padding because we don't render a coin at this size }, (size.isSize24 || size.isSize28 || size.isSize32) && { padding: '0 8px', }, (size.isSize40 || size.isSize48) && { padding: '0 12px', }, ], primaryText: [ classNames.primaryText, noWrap, { color: semanticColors.bodyText, fontWeight: FontWeights.regular, fontSize: fonts.medium.fontSize, selectors: { ':hover': { color: semanticColors.inputTextHovered, }, }, }, showSecondaryText && { height: showSecondaryTextDefaultHeight, lineHeight: showSecondaryTextDefaultHeight, overflowX: 'hidden', }, (size.isSize8 || size.isSize10) && { fontSize: fonts.small.fontSize, lineHeight: personaSize.size8, }, size.isSize16 && { lineHeight: personaSize.size28, }, (size.isSize24 || size.isSize28 || size.isSize32 || size.isSize40 || size.isSize48) && showSecondaryText && { height: 18, }, (size.isSize56 || size.isSize72 || size.isSize100 || size.isSize120) && { fontSize: fonts.xLarge.fontSize, }, (size.isSize56 || size.isSize72 || size.isSize100 || size.isSize120) && showSecondaryText && { height: 22, }, ], secondaryText: [ classNames.secondaryText, noWrap, sharedTextStyles, (size.isSize8 || size.isSize10 || size.isSize16 || size.isSize24 || size.isSize28 || size.isSize32) && { display: 'none', }, showSecondaryText && { display: 'block', height: showSecondaryTextDefaultHeight, lineHeight: showSecondaryTextDefaultHeight, overflowX: 'hidden', }, size.isSize24 && showSecondaryText && { height: 18, }, (size.isSize56 || size.isSize72 || size.isSize100 || size.isSize120) && { fontSize: fonts.medium.fontSize, }, (size.isSize56 || size.isSize72 || size.isSize100 || size.isSize120) && showSecondaryText && { height: 18, }, ], tertiaryText: [ classNames.tertiaryText, noWrap, sharedTextStyles, { display: 'none', fontSize: fonts.medium.fontSize, }, (size.isSize72 || size.isSize100 || size.isSize120) && { display: 'block', }, ], optionalText: [ classNames.optionalText, noWrap, sharedTextStyles, { display: 'none', fontSize: fonts.medium.fontSize, }, (size.isSize100 || size.isSize120) && { display: 'block', }, ], textContent: [classNames.textContent, noWrap], }; }; ```
/content/code_sandbox/packages/react/src/components/Persona/Persona.styles.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
1,919
```xml <testsuites> <testsuite name="RaftConsensusElectionITest"> <testcase name="RunLeaderElection" classname="RaftConsensusElectionITest"> <error message="WARNING: ThreadSanitizer: data race (pid=20091) Write of size 8 at 0x7b2c00001558 by main thread:"> <![CDATA[ WARNING: ThreadSanitizer: data race (pid=20091) Write of size 8 at 0x7b2c00001558 by main thread: #0 operator delete(void*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_new_delete.cc:119 (raft_consensus_election-itest+0x4cc9d1) #1 std::__1::default_delete<kudu::ThreadPoolToken>::operator()(kudu::ThreadPoolToken*) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:2285:5 (libkudu_util.so+0x1c42f3) #2 std::__1::unique_ptr<kudu::ThreadPoolToken, std::__1::default_delete<kudu::ThreadPoolToken> >::reset(kudu::ThreadPoolToken*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:2598 (libkudu_util.so+0x1c42f3) #3 std::__1::unique_ptr<kudu::ThreadPoolToken, std::__1::default_delete<kudu::ThreadPoolToken> >::~unique_ptr() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:2552 (libkudu_util.so+0x1c42f3) #4 kudu::ThreadPool::~ThreadPool() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:342 (libkudu_util.so+0x1c42f3) #5 kudu::DefaultDeleter<kudu::ThreadPool>::operator()(kudu::ThreadPool*) const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:145:5 (libksck.so+0x4e4ae) #6 kudu::internal::gscoped_ptr_impl<kudu::ThreadPool, kudu::DefaultDeleter<kudu::ThreadPool> >::~gscoped_ptr_impl() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:228:7 (libksck.so+0x4e479) #7 gscoped_ptr<kudu::ThreadPool, kudu::DefaultDeleter<kudu::ThreadPool> >::~gscoped_ptr() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:318:7 (libksck.so+0x48269) #8 kudu::DnsResolver::~DnsResolver() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/net/dns_resolver.cc:47:1 (libkudu_util.so+0x18a9fa) #9 kudu::DefaultDeleter<kudu::DnsResolver>::operator()(kudu::DnsResolver*) const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:145:5 (libkudu_client.so+0xd568e) #10 kudu::internal::gscoped_ptr_impl<kudu::DnsResolver, kudu::DefaultDeleter<kudu::DnsResolver> >::reset(kudu::DnsResolver*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:254:7 (libkudu_client.so+0xd5644) #11 gscoped_ptr<kudu::DnsResolver, kudu::DefaultDeleter<kudu::DnsResolver> >::reset(kudu::DnsResolver*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:375:46 (libkudu_client.so+0xca410) #12 kudu::client::KuduClient::Data::~Data() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client-internal.cc:370:17 (libkudu_client.so+0xdaffd) #13 kudu::client::KuduClient::~KuduClient() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client.cc:378:3 (libkudu_client.so+0xbff7c) #14 std::__1::default_delete<kudu::client::KuduClient>::operator()(kudu::client::KuduClient*) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:2285:5 (libkudu_client.so+0xd504b) #15 std::__1::__shared_ptr_pointer<kudu::client::KuduClient*, std::__1::default_delete<kudu::client::KuduClient>, std::__1::allocator<kudu::client::KuduClient> >::__on_zero_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3586 (libkudu_client.so+0xd504b) #16 std::__1::__shared_count::__release_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3490:9 (raft_consensus_election-itest+0x4daeae) #17 std::__1::__shared_weak_count::__release_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3532 (raft_consensus_election-itest+0x4daeae) #18 std::__1::shared_ptr<kudu::client::KuduClient>::~shared_ptr() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:4468 (raft_consensus_election-itest+0x4daeae) #19 kudu::tserver::TabletServerIntegrationTestBase::~TabletServerIntegrationTestBase() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.h:46:7 (raft_consensus_election-itest+0x4dad9f) #20 kudu::tserver::RaftConsensusITestBase::~RaftConsensusITestBase() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus-itest-base.h:43:7 (raft_consensus_election-itest+0x4da1af) #21 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::~RaftConsensusElectionITest_RunLeaderElection_Test() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:143:1 (raft_consensus_election-itest+0x4da1d9) #22 testing::Test::DeleteSelf_() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/include/gtest/gtest.h:453:24 (libgmock.so+0x55a07) #23 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #24 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #25 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2661:3 (libgmock.so+0x357b8) #26 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #27 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #28 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #29 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #30 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #31 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #32 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) Previous read of size 8 at 0x7b2c00001558 by thread T9: #0 scoped_refptr<kudu::Histogram>::operator kudu::Histogram* scoped_refptr<kudu::Histogram>::*() const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/ref_counted.h:280:38 (libkrpc.so+0xc2e39) #1 kudu::ThreadPool::DoSubmit(std::__1::shared_ptr<kudu::Runnable>, kudu::ThreadPoolToken*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:551:7 (libkudu_util.so+0x1c3180) #2 kudu::ThreadPool::Submit(std::__1::shared_ptr<kudu::Runnable>) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:458:10 (libkudu_util.so+0x1c4c5f) #3 kudu::ThreadPool::SubmitFunc(boost::function<void ()>) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:454:10 (libkudu_util.so+0x1c4cf1) #4 kudu::DnsResolver::ResolveAddresses(kudu::HostPort const&, std::__1::vector<kudu::Sockaddr, std::__1::allocator<kudu::Sockaddr> >*, kudu::Callback<void (kudu::Status const&)> const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/net/dns_resolver.cc:59:21 (libkudu_util.so+0x18aaab) #5 kudu::client::internal::RemoteTabletServer::InitProxy(kudu::client::KuduClient*, kudu::Callback<void (kudu::Status const&)> const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/meta_cache.cc:144:33 (libkudu_client.so+0xff663) #6 kudu::client::internal::MetaCacheServerPicker::PickLeader(kudu::Callback<void (kudu::Status const&, kudu::client::internal::RemoteTabletServer*)> const&, kudu::MonoTime const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/meta_cache.cc:450:11 (libkudu_client.so+0x10176b) #7 kudu::rpc::RetriableRpc<kudu::client::internal::RemoteTabletServer, kudu::tserver::WriteRequestPB, kudu::tserver::WriteResponsePB>::SendRpc() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/retriable_rpc.h:144:19 (libkudu_client.so+0xb6988) #8 kudu::rpc::RpcRetrier::DelayedRetryCb(kudu::rpc::Rpc*, kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/rpc.cc:94:10 (libkrpc.so+0xd5438) #9 boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>::operator()(kudu::rpc::RpcRetrier*, kudu::rpc::Rpc*, kudu::Status const&) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/mem_fn_template.hpp:280:29 (libkrpc.so+0xd5e1a) #10 void boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> >::operator()<boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::rrlist1<kudu::Status const&> >(boost::_bi::type<void>, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>&, boost::_bi::rrlist1<kudu::Status const&>&, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:398:9 (libkrpc.so+0xd5d52) #11 void boost::_bi::bind_t<void, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> > >::operator()<kudu::Status const&>(kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:1234:16 (libkrpc.so+0xd5c78) #12 boost::detail::function::void_function_obj_invoker1<boost::_bi::bind_t<void, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> > >, void, kudu::Status const&>::invoke(boost::detail::function::function_buffer&, kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:159:11 (libkrpc.so+0xd5a13) #13 boost::function1<void, kudu::Status const&>::operator()(kudu::Status const&) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:770:14 (libkrpc.so+0xc4014) #14 kudu::rpc::DelayedTask::TimerHandler(ev::timer&, int) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:705:5 (libkrpc.so+0xc18a6) #15 void ev::base<ev_timer, ev::timer>::method_thunk<kudu::rpc::DelayedTask, &kudu::rpc::DelayedTask::TimerHandler>(ev_loop*, ev_timer*, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/ev++.h:479:7 (libkrpc.so+0xc970a) #16 ev_invoke_pending /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/libev-4.20/ev.c:3155:11 (libev.so.4+0x9800) #17 kudu::rpc::ReactorThread::InvokePendingCb(ev_loop*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:176:3 (libkrpc.so+0xbdaa5) #18 ev_run /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/libev-4.20/ev.c:3555:7 (libev.so.4+0xa90d) #19 ev::loop_ref::run(int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/ev++.h:211:7 (libkrpc.so+0xc3708) #20 kudu::rpc::ReactorThread::RunThread() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:471:9 (libkrpc.so+0xbdbea) #21 boost::_mfi::mf0<void, kudu::rpc::ReactorThread>::operator()(kudu::rpc::ReactorThread*) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/mem_fn_template.hpp:49:29 (libkrpc.so+0xc79a9) #22 void boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> >::operator()<boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list0>(boost::_bi::type<void>, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>&, boost::_bi::list0&, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:259:9 (libkrpc.so+0xc78fa) #23 boost::_bi::bind_t<void, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> > >::operator()() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:1222:16 (libkrpc.so+0xc7883) #24 boost::detail::function::void_function_obj_invoker0<boost::_bi::bind_t<void, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> > >, void>::invoke(boost::detail::function::function_buffer&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:159:11 (libkrpc.so+0xc7679) #25 boost::function0<void>::operator()() const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:770:14 (libkrpc.so+0xb7781) #26 kudu::Thread::SuperviseThread(void*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.cc:603:3 (libkudu_util.so+0x1bcff4) As if synchronized via sleep: #0 nanosleep /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_interceptors.cc:355 (raft_consensus_election-itest+0x442f6a) #1 base::SleepForNanoseconds(long) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/sysinfo.cc:89:10 (libgutil.so+0x61c92) #2 kudu::SleepFor(kudu::MonoDelta const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/monotime.cc:267:3 (libkudu_util.so+0x1893b6) #3 kudu::ClusterVerifier::CheckCluster() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/cluster_verifier.cc:85:5 (libitest_util.so+0x5725d) #4 kudu::tserver::TabletServerIntegrationTestBase::AssertAllReplicasAgree(int) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:554:3 (libitest_util.so+0x73d9a) #5 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::TestBody() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:182:3 (raft_consensus_election-itest+0x4cffa3) #6 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #7 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #8 testing::Test::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2474:5 (libgmock.so+0x344b8) #9 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2656:11 (libgmock.so+0x3574c) #10 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #11 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #12 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #13 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #14 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #15 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #16 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) Thread T9 'rpc reactor-205' (tid=20551, running) created by main thread at: #0 pthread_create /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_interceptors.cc:992 (raft_consensus_election-itest+0x43ced6) #1 kudu::Thread::StartThread(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, boost::function<void ()> const&, unsigned long, scoped_refptr<kudu::Thread>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.cc:556:15 (libkudu_util.so+0x1bca1f) #2 kudu::Status kudu::Thread::Create<void (kudu::rpc::ReactorThread::*)(), kudu::rpc::ReactorThread*>(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, void (kudu::rpc::ReactorThread::* const&)(), kudu::rpc::ReactorThread* const&, scoped_refptr<kudu::Thread>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.h:164:12 (libkrpc.so+0xc2dd5) #3 kudu::rpc::ReactorThread::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:168:10 (libkrpc.so+0xbd80e) #4 kudu::rpc::Reactor::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:722:18 (libkrpc.so+0xc1cd1) #5 kudu::rpc::Messenger::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/messenger.cc:436:5 (libkrpc.so+0xa8402) #6 kudu::rpc::MessengerBuilder::Build(std::__1::shared_ptr<kudu::rpc::Messenger>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/messenger.cc:199:3 (libkrpc.so+0xa7e5d) #7 kudu::client::KuduClientBuilder::Build(std::__1::shared_ptr<kudu::client::KuduClient>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client.cc:332:3 (libkudu_client.so+0xbf3e1) #8 kudu::tserver::TabletServerIntegrationTestBase::CreateClient(std::__1::shared_ptr<kudu::client::KuduClient>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:520:3 (libitest_util.so+0x73302) #9 kudu::tserver::TabletServerIntegrationTestBase::BuildAndStart(std::__1::vector<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> >, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > > > const&, std::__1::vector<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> >, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > > > const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:545:3 (libitest_util.so+0x73a1f) #10 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::TestBody() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:147:3 (raft_consensus_election-itest+0x4cfb63) #11 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #12 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #13 testing::Test::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2474:5 (libgmock.so+0x344b8) #14 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2656:11 (libgmock.so+0x3574c) #15 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #16 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #17 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #18 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #19 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #20 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #21 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) WARNING: ThreadSanitizer: data race (pid=20091) Write of size 8 at 0x7b5000001ba0 by main thread: #0 operator delete(void*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_new_delete.cc:119 (raft_consensus_election-itest+0x4cc9d1) #1 kudu::DefaultDeleter<kudu::ThreadPool>::operator()(kudu::ThreadPool*) const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:145:5 (libksck.so+0x4e4b6) #2 kudu::internal::gscoped_ptr_impl<kudu::ThreadPool, kudu::DefaultDeleter<kudu::ThreadPool> >::~gscoped_ptr_impl() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:228:7 (libksck.so+0x4e479) #3 gscoped_ptr<kudu::ThreadPool, kudu::DefaultDeleter<kudu::ThreadPool> >::~gscoped_ptr() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:318:7 (libksck.so+0x48269) #4 kudu::DnsResolver::~DnsResolver() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/net/dns_resolver.cc:47:1 (libkudu_util.so+0x18a9fa) #5 kudu::DefaultDeleter<kudu::DnsResolver>::operator()(kudu::DnsResolver*) const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:145:5 (libkudu_client.so+0xd568e) #6 kudu::internal::gscoped_ptr_impl<kudu::DnsResolver, kudu::DefaultDeleter<kudu::DnsResolver> >::reset(kudu::DnsResolver*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:254:7 (libkudu_client.so+0xd5644) #7 gscoped_ptr<kudu::DnsResolver, kudu::DefaultDeleter<kudu::DnsResolver> >::reset(kudu::DnsResolver*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/gscoped_ptr.h:375:46 (libkudu_client.so+0xca410) #8 kudu::client::KuduClient::Data::~Data() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client-internal.cc:370:17 (libkudu_client.so+0xdaffd) #9 kudu::client::KuduClient::~KuduClient() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client.cc:378:3 (libkudu_client.so+0xbff7c) #10 std::__1::default_delete<kudu::client::KuduClient>::operator()(kudu::client::KuduClient*) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:2285:5 (libkudu_client.so+0xd504b) #11 std::__1::__shared_ptr_pointer<kudu::client::KuduClient*, std::__1::default_delete<kudu::client::KuduClient>, std::__1::allocator<kudu::client::KuduClient> >::__on_zero_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3586 (libkudu_client.so+0xd504b) #12 std::__1::__shared_count::__release_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3490:9 (raft_consensus_election-itest+0x4daeae) #13 std::__1::__shared_weak_count::__release_shared() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:3532 (raft_consensus_election-itest+0x4daeae) #14 std::__1::shared_ptr<kudu::client::KuduClient>::~shared_ptr() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/c++/v1/memory:4468 (raft_consensus_election-itest+0x4daeae) #15 kudu::tserver::TabletServerIntegrationTestBase::~TabletServerIntegrationTestBase() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.h:46:7 (raft_consensus_election-itest+0x4dad9f) #16 kudu::tserver::RaftConsensusITestBase::~RaftConsensusITestBase() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus-itest-base.h:43:7 (raft_consensus_election-itest+0x4da1af) #17 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::~RaftConsensusElectionITest_RunLeaderElection_Test() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:143:1 (raft_consensus_election-itest+0x4da1d9) #18 testing::Test::DeleteSelf_() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/include/gtest/gtest.h:453:24 (libgmock.so+0x55a07) #19 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #20 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #21 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2661:3 (libgmock.so+0x357b8) #22 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #23 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #24 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #25 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #26 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #27 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #28 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) Previous read of size 8 at 0x7b5000001ba0 by thread T9: #0 scoped_refptr<kudu::Histogram>::operator kudu::Histogram* scoped_refptr<kudu::Histogram>::*() const /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/ref_counted.h:280:38 (libkrpc.so+0xc2e39) #1 kudu::ThreadPool::DoSubmit(std::__1::shared_ptr<kudu::Runnable>, kudu::ThreadPoolToken*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:548:7 (libkudu_util.so+0x1c3151) #2 kudu::ThreadPool::Submit(std::__1::shared_ptr<kudu::Runnable>) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:458:10 (libkudu_util.so+0x1c4c5f) #3 kudu::ThreadPool::SubmitFunc(boost::function<void ()>) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/threadpool.cc:454:10 (libkudu_util.so+0x1c4cf1) #4 kudu::DnsResolver::ResolveAddresses(kudu::HostPort const&, std::__1::vector<kudu::Sockaddr, std::__1::allocator<kudu::Sockaddr> >*, kudu::Callback<void (kudu::Status const&)> const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/net/dns_resolver.cc:59:21 (libkudu_util.so+0x18aaab) #5 kudu::client::internal::RemoteTabletServer::InitProxy(kudu::client::KuduClient*, kudu::Callback<void (kudu::Status const&)> const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/meta_cache.cc:144:33 (libkudu_client.so+0xff663) #6 kudu::client::internal::MetaCacheServerPicker::PickLeader(kudu::Callback<void (kudu::Status const&, kudu::client::internal::RemoteTabletServer*)> const&, kudu::MonoTime const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/meta_cache.cc:450:11 (libkudu_client.so+0x10176b) #7 kudu::rpc::RetriableRpc<kudu::client::internal::RemoteTabletServer, kudu::tserver::WriteRequestPB, kudu::tserver::WriteResponsePB>::SendRpc() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/retriable_rpc.h:144:19 (libkudu_client.so+0xb6988) #8 kudu::rpc::RpcRetrier::DelayedRetryCb(kudu::rpc::Rpc*, kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/rpc.cc:94:10 (libkrpc.so+0xd5438) #9 boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>::operator()(kudu::rpc::RpcRetrier*, kudu::rpc::Rpc*, kudu::Status const&) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/mem_fn_template.hpp:280:29 (libkrpc.so+0xd5e1a) #10 void boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> >::operator()<boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::rrlist1<kudu::Status const&> >(boost::_bi::type<void>, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>&, boost::_bi::rrlist1<kudu::Status const&>&, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:398:9 (libkrpc.so+0xd5d52) #11 void boost::_bi::bind_t<void, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> > >::operator()<kudu::Status const&>(kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:1234:16 (libkrpc.so+0xd5c78) #12 boost::detail::function::void_function_obj_invoker1<boost::_bi::bind_t<void, boost::_mfi::mf2<void, kudu::rpc::RpcRetrier, kudu::rpc::Rpc*, kudu::Status const&>, boost::_bi::list3<boost::_bi::value<kudu::rpc::RpcRetrier*>, boost::_bi::value<kudu::rpc::Rpc*>, boost::arg<1> > >, void, kudu::Status const&>::invoke(boost::detail::function::function_buffer&, kudu::Status const&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:159:11 (libkrpc.so+0xd5a13) #13 boost::function1<void, kudu::Status const&>::operator()(kudu::Status const&) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:770:14 (libkrpc.so+0xc4014) #14 kudu::rpc::DelayedTask::TimerHandler(ev::timer&, int) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:705:5 (libkrpc.so+0xc18a6) #15 void ev::base<ev_timer, ev::timer>::method_thunk<kudu::rpc::DelayedTask, &kudu::rpc::DelayedTask::TimerHandler>(ev_loop*, ev_timer*, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/ev++.h:479:7 (libkrpc.so+0xc970a) #16 ev_invoke_pending /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/libev-4.20/ev.c:3155:11 (libev.so.4+0x9800) #17 kudu::rpc::ReactorThread::InvokePendingCb(ev_loop*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:176:3 (libkrpc.so+0xbdaa5) #18 ev_run /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/libev-4.20/ev.c:3555:7 (libev.so.4+0xa90d) #19 ev::loop_ref::run(int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/ev++.h:211:7 (libkrpc.so+0xc3708) #20 kudu::rpc::ReactorThread::RunThread() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:471:9 (libkrpc.so+0xbdbea) #21 boost::_mfi::mf0<void, kudu::rpc::ReactorThread>::operator()(kudu::rpc::ReactorThread*) const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/mem_fn_template.hpp:49:29 (libkrpc.so+0xc79a9) #22 void boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> >::operator()<boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list0>(boost::_bi::type<void>, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>&, boost::_bi::list0&, int) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:259:9 (libkrpc.so+0xc78fa) #23 boost::_bi::bind_t<void, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> > >::operator()() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/bind/bind.hpp:1222:16 (libkrpc.so+0xc7883) #24 boost::detail::function::void_function_obj_invoker0<boost::_bi::bind_t<void, boost::_mfi::mf0<void, kudu::rpc::ReactorThread>, boost::_bi::list1<boost::_bi::value<kudu::rpc::ReactorThread*> > >, void>::invoke(boost::detail::function::function_buffer&) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:159:11 (libkrpc.so+0xc7679) #25 boost::function0<void>::operator()() const /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/boost/function/function_template.hpp:770:14 (libkrpc.so+0xb7781) #26 kudu::Thread::SuperviseThread(void*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.cc:603:3 (libkudu_util.so+0x1bcff4) As if synchronized via sleep: #0 nanosleep /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_interceptors.cc:355 (raft_consensus_election-itest+0x442f6a) #1 base::SleepForNanoseconds(long) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/gutil/sysinfo.cc:89:10 (libgutil.so+0x61c92) #2 kudu::SleepFor(kudu::MonoDelta const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/monotime.cc:267:3 (libkudu_util.so+0x1893b6) #3 kudu::ClusterVerifier::CheckCluster() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/cluster_verifier.cc:85:5 (libitest_util.so+0x5725d) #4 kudu::tserver::TabletServerIntegrationTestBase::AssertAllReplicasAgree(int) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:554:3 (libitest_util.so+0x73d9a) #5 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::TestBody() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:182:3 (raft_consensus_election-itest+0x4cffa3) #6 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #7 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #8 testing::Test::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2474:5 (libgmock.so+0x344b8) #9 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2656:11 (libgmock.so+0x3574c) #10 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #11 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #12 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #13 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #14 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #15 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #16 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) Thread T9 'rpc reactor-205' (tid=20551, running) created by main thread at: #0 pthread_create /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/llvm-6.0.0.src/projects/compiler-rt/lib/tsan/rtl/tsan_interceptors.cc:992 (raft_consensus_election-itest+0x43ced6) #1 kudu::Thread::StartThread(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, boost::function<void ()> const&, unsigned long, scoped_refptr<kudu::Thread>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.cc:556:15 (libkudu_util.so+0x1bca1f) #2 kudu::Status kudu::Thread::Create<void (kudu::rpc::ReactorThread::*)(), kudu::rpc::ReactorThread*>(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, void (kudu::rpc::ReactorThread::* const&)(), kudu::rpc::ReactorThread* const&, scoped_refptr<kudu::Thread>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/thread.h:164:12 (libkrpc.so+0xc2dd5) #3 kudu::rpc::ReactorThread::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:168:10 (libkrpc.so+0xbd80e) #4 kudu::rpc::Reactor::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/reactor.cc:722:18 (libkrpc.so+0xc1cd1) #5 kudu::rpc::Messenger::Init() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/messenger.cc:436:5 (libkrpc.so+0xa8402) #6 kudu::rpc::MessengerBuilder::Build(std::__1::shared_ptr<kudu::rpc::Messenger>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/rpc/messenger.cc:199:3 (libkrpc.so+0xa7e5d) #7 kudu::client::KuduClientBuilder::Build(std::__1::shared_ptr<kudu::client::KuduClient>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/client/client.cc:332:3 (libkudu_client.so+0xbf3e1) #8 kudu::tserver::TabletServerIntegrationTestBase::CreateClient(std::__1::shared_ptr<kudu::client::KuduClient>*) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:520:3 (libitest_util.so+0x73302) #9 kudu::tserver::TabletServerIntegrationTestBase::BuildAndStart(std::__1::vector<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> >, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > > > const&, std::__1::vector<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> >, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > > > const&) /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/ts_itest-base.cc:545:3 (libitest_util.so+0x73a1f) #10 kudu::tserver::RaftConsensusElectionITest_RunLeaderElection_Test::TestBody() /home/jenkins-slave/workspace/kudu-master/0/src/kudu/integration-tests/raft_consensus_election-itest.cc:147:3 (raft_consensus_election-itest+0x4cfb63) #11 void testing::internal::HandleSehExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x552ef) #12 void testing::internal::HandleExceptionsInMethodIfSupported<testing::Test, void>(testing::Test*, void (testing::Test::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x552ef) #13 testing::Test::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2474:5 (libgmock.so+0x344b8) #14 testing::TestInfo::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2656:11 (libgmock.so+0x3574c) #15 testing::TestCase::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2774:28 (libgmock.so+0x36226) #16 testing::internal::UnitTestImpl::RunAllTests() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4649:43 (libgmock.so+0x425fa) #17 bool testing::internal::HandleSehExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2402:10 (libgmock.so+0x5625f) #18 bool testing::internal::HandleExceptionsInMethodIfSupported<testing::internal::UnitTestImpl, bool>(testing::internal::UnitTestImpl*, bool (testing::internal::UnitTestImpl::*)(), char const*) /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:2438 (libgmock.so+0x5625f) #19 testing::UnitTest::Run() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/src/googletest-release-1.8.0/googletest/src/gtest.cc:4257:10 (libgmock.so+0x41ee2) #20 RUN_ALL_TESTS() /home/jenkins-slave/workspace/kudu-master/0/thirdparty/installed/tsan/include/gtest/gtest.h:2233:46 (libkudu_test_main.so+0x340b) #21 main /home/jenkins-slave/workspace/kudu-master/0/src/kudu/util/test_main.cc:106:13 (libkudu_test_main.so+0x2bd6) ]]> </error> </testcase> </testsuite> </testsuites> ```
/content/code_sandbox/build-support/build-support-test-data/tsan-failure-out.xml
xml
2016-01-29T08:00:06
2024-08-16T11:13:40
kudu
apache/kudu
1,833
14,548
```xml import lib1 from '@myorg/core'; import {kernel} from '@myorg/kernel'; console.log(lib1, kernel); // just to see it works.. var project2:number = "project2_error"; ```
/content/code_sandbox/playground/monorepo_alt/samples/project2/src/index.ts
xml
2016-10-28T10:37:16
2024-07-27T15:17:43
fuse-box
fuse-box/fuse-box
4,003
44
```xml <?xml version="1.0" encoding="utf-8"?> <Project ToolsVersion="4.0" xmlns="path_to_url"> <ItemGroup> <Filter Include="Source Files"> <UniqueIdentifier>{2af66556-2796-41a8-82fb-3de2723c89b4}</UniqueIdentifier> <Extensions>cpp;c;cxx;rc;def;r;odl;hpj;bat;for;f90</Extensions> </Filter> <Filter Include="Header Files"> <UniqueIdentifier>{8f2a13d5-c447-4d3f-925e-fe8dfae9261b}</UniqueIdentifier> <Extensions>h;hpp;hxx;hm;inl;fi;fd</Extensions> </Filter> </ItemGroup> <ItemGroup> <ClCompile Include="CompMessage.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="CompModels.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Computer.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Console.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Controls.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Game.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="LCDDrawing.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="LoadingHook.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Map.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="SessionProperties.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="StdAfx.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="WEDInterface.cpp"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="Camera.cpp"> <Filter>Source Files</Filter> </ClCompile> </ItemGroup> <ItemGroup> <ClInclude Include="CompMessage.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="Computer.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="Game.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="LCDDrawing.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="PlayerSettings.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="SEColors.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="SessionProperties.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="StdAfx.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="Camera.h"> <Filter>Header Files</Filter> </ClInclude> </ItemGroup> </Project> ```
/content/code_sandbox/Sources/GameMP/GameMP.vcxproj.filters
xml
2016-03-11T13:28:40
2024-08-15T13:54:18
Serious-Engine
Croteam-official/Serious-Engine
3,021
726
```xml /* * * This source code is licensed under the MIT license which is detailed in the LICENSE.txt file. */ import { ControlSequenceParameters } from "./FastControlSequenceParameters"; import { log, Logger, getLogger } from "extraterm-logging"; const FILE_PREFIX = "File="; const MAX_FILE_SIZE = 1024 * 1024 * 128; const BUFFER_CHUNK_SIZE = 4 * 3 * 1024 * 10; // Make this too big and String.fromCharCode() will fail. export class ITermParameters { private _log: Logger = null; #isFile = false; #expectedPayloadLength = -1; #encodedPayloadParts: Uint8Array[] = []; #lastPayloadIndex = 0; #width = "auto"; #height = "auto"; #preserveAspectRatio = true; constructor(params: ControlSequenceParameters) { this._log = getLogger("ITermParameters", this); this.#parseParameters(params); } isFile(): boolean { return this.#isFile; } #parseParameters(params: ControlSequenceParameters): void { for (let i=0; i<params.getParamCount(); i++) { let paramString = params.getParameterString(i); if (i === 1 && paramString.startsWith(FILE_PREFIX)) { this.#isFile = true; paramString = paramString.slice(FILE_PREFIX.length); } const parts = paramString.split("=", 2); if (parts.length !== 2) { continue; } switch (parts[0]) { case "name": break; case "size": const expectedPayloadLength = Number.parseInt(parts[1], 10); if (isNaN(expectedPayloadLength) || expectedPayloadLength < 0 || expectedPayloadLength > MAX_FILE_SIZE) { this._log.warn(`Invalid 'size' parameter given. Received '${parts[1]}'`); this.#expectedPayloadLength = -1; } else { this.#expectedPayloadLength = expectedPayloadLength; } break; case "width": this.#width = parts[1]; break; case "height": this.#height = parts[1]; break; case "preserveAspectRatio": this.#preserveAspectRatio = parts[1] === "1"; break; case "inline": break; case "SetUserVar": break; default: this._log.warn(`Unknown paramater key '${parts[0]}'.`); break; } } } getExpectedPayloadLength(): number { return this.#expectedPayloadLength; } #getPayloadLength(): number { return this.#encodedPayloadParts.length * BUFFER_CHUNK_SIZE + this.#lastPayloadIndex; } getWidth(): string { return this.#width; } getHeight(): string { return this.#height; } getPreserveAspectRatio(): boolean { return this.#preserveAspectRatio; } appendPayloadCodePoint(codePoint: number): boolean { if (this.#getPayloadLength() > MAX_FILE_SIZE) { this._log.warn(`Received too many chars for payload. Received ${this.#getPayloadLength()}`); return false; } if (this.#encodedPayloadParts.length === 0) { this.#encodedPayloadParts.push(new Uint8Array(BUFFER_CHUNK_SIZE)); } this.#encodedPayloadParts[this.#encodedPayloadParts.length -1][this.#lastPayloadIndex] = codePoint; this.#lastPayloadIndex++; if (this.#lastPayloadIndex >= BUFFER_CHUNK_SIZE) { this.#encodedPayloadParts.push(new Uint8Array(BUFFER_CHUNK_SIZE)); this.#lastPayloadIndex = 0; } return true; } getPayload(): Buffer { if (this.#encodedPayloadParts.length === 0) { return Buffer.alloc(0); } const payloadParts = this.#encodedPayloadParts; const parts = payloadParts.slice(0, payloadParts.length-1).map(buf => { const base64String = String.fromCharCode(...buf); return Buffer.from(base64String, "base64"); }); const base64String = String.fromCharCode(...payloadParts[payloadParts.length-1].slice(0, this.#lastPayloadIndex)); parts.push(Buffer.from(base64String, "base64")); return Buffer.concat(parts); } } ```
/content/code_sandbox/main/src/emulator/ITermParameters.ts
xml
2016-03-04T12:39:59
2024-08-16T18:44:37
extraterm
sedwards2009/extraterm
2,501
930
```xml import type { Theme } from '@fluentui/react-theme'; export const themes = [ { id: 'web-light', label: 'Web Light' }, { id: 'web-dark', label: 'Web Dark' }, { id: 'teams-light', label: 'Teams Light' }, { id: 'teams-dark', label: 'Teams Dark' }, { id: 'teams-high-contrast', label: 'Teams High Contrast' }, ] as const; export const defaultTheme = themes[0]; export type ThemeIds = (typeof themes)[number]['id']; export type ThemeLabels = (typeof themes)[number]['label']; export type { Theme }; ```
/content/code_sandbox/packages/react-components/react-storybook-addon/src/theme.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
141
```xml <?xml version="1.0" encoding="utf-8"?> <RelativeLayout xmlns:android="path_to_url" android:layout_width="match_parent" android:layout_height="48dp" android:paddingEnd="8dp" android:paddingStart="8dp" android:clickable="true" android:focusable="true" android:background="?attr/dialogRectRipple"> <ImageView android:id="@+id/icon" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginTop="8dp" android:layout_marginBottom="8dp" android:contentDescription="@null" android:layout_centerInParent="true" android:layout_alignParentStart="true" /> <TextView android:id="@+id/name" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_centerInParent="true" android:textAppearance="@style/TextAppearance.MaterialComponents.Body1" android:layout_marginStart="32dp" android:layout_toEndOf="@id/icon" /> </RelativeLayout> ```
/content/code_sandbox/app/src/main/res/layout/drawer_item.xml
xml
2016-10-18T15:38:44
2024-08-16T19:19:31
libretorrent
proninyaroslav/libretorrent
1,973
245
```xml import type { FC } from 'react'; import { c } from 'ttag'; import { Icon, ToolbarButton } from '@proton/components/components'; interface Props { onClick: () => void; } export const PhotosPreviewButton: FC<Props> = ({ onClick }) => { return ( <ToolbarButton title={c('Action').t`Preview`} icon={<Icon name="eye" alt={c('Action').t`Preview`} />} onClick={onClick} data-testid="toolbar-preview" /> ); }; ```
/content/code_sandbox/applications/drive/src/app/components/sections/Photos/toolbar/PhotosPreviewButton.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
114
```xml <RelativeLayout xmlns:android="path_to_url" android:id="@+id/item_archived_chat_option_list_layout" android:layout_width="match_parent" android:layout_height="48dp" android:gravity="center" android:descendantFocusability="blocksDescendants" > <TextView android:id="@+id/archived_chat_option_text" android:layout_width="wrap_content" android:layout_height="match_parent" android:gravity="center" android:text="@string/archived_chats_show_option" android:textAppearance="@style/TextAppearance.Mega.Caption.Accent" android:ellipsize="end" android:maxLines="1"/> </RelativeLayout> ```
/content/code_sandbox/app/src/main/res/layout/item_archived_chat_option_list.xml
xml
2016-05-04T11:46:20
2024-08-15T16:29:10
android
meganz/android
1,537
150
```xml /* * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ // TypeScript Version: 4.1 /* eslint-disable max-lines */ import iterContinuedFraction = require( '@stdlib/math/iter/utils/continued-fraction' ); /** * Interface describing the `utils` namespace. */ interface Namespace { /** * Evaluates the terms of a continued fraction. * * @param iterator - input iterator * @param options - function options * @param options.iter - maximum number of iterations (default: 1e308) * @param options.tol - tolerance at which to terminate further evaluation of the continued fraction (default: floating-point epsilon) * @throws `iter` option must be a nonnegative integer * @throws `tol` option must be a positive finite number * @returns result * * @example * var ns.iterContinuedFractionSeq = require( '@stdlib/math/iter/sequences/continued-fraction' ); * * // Create an iterator for generating continued fraction terms: * var it = ns.iterContinuedFractionSeq( 3.245 ); * * // Reconstruct the original value from the terms: * var v = ns.iterContinuedFraction( it ); * // returns ~3.245 */ iterContinuedFraction: typeof iterContinuedFraction; } /** * Math utility iterators. */ declare var ns: Namespace; // EXPORTS // export = ns; ```
/content/code_sandbox/lib/node_modules/@stdlib/math/iter/utils/docs/types/index.d.ts
xml
2016-03-24T04:19:52
2024-08-16T09:03:19
stdlib
stdlib-js/stdlib
4,266
347
```xml <resources> <string name="app_name">Yasea</string> </resources> ```
/content/code_sandbox/app/src/main/res/values/strings.xml
xml
2016-04-06T13:37:53
2024-08-14T09:36:36
yasea
begeekmyfriend/yasea
4,866
21
```xml <?xml version="1.0" encoding="utf-8"?> <Behavior Version="5"> <Node Class="Behaviac.Design.Nodes.Behavior" AgentType="AgentNodeTest" Domains="" Enable="true" HasOwnPrefabData="false" Id="-1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> <DescriptorRefs value="0:" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.DecoratorLoop" Count="const int 1" DecorateWhenChildEnds="true" DoneWithinFrame="false" Enable="true" HasOwnPrefabData="false" Id="15" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.SelectorProbability" Enable="true" HasOwnPrefabData="false" Id="0" PrefabName="" PrefabNodeId="-1" RandomGenerator="&quot;&quot;"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.DecoratorWeight" DecorateWhenChildEnds="false" Enable="true" HasOwnPrefabData="false" Id="5" PrefabName="" PrefabNodeId="-1" Weight="const int 10"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Sequence" Enable="true" HasOwnPrefabData="false" Id="7" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Parallel" ChildFinishPolicy="CHILDFINISH_LOOP" Enable="true" ExitPolicy="EXIT_ABORT_RUNNINGSIBLINGS" FailurePolicy="FAIL_ON_ONE" HasOwnPrefabData="false" Id="10" PrefabName="" PrefabNodeId="-1" SuccessPolicy="SUCCEED_ON_ALL"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="2" Operator="Add" Opl="int Self.AgentNodeTest::testVar_0" Opr1="int Self.AgentNodeTest::testVar_0" Opr2="const int 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="13" Operator="Add" Opl="float Self.AgentNodeTest::testVar_2" Opr1="float Self.AgentNodeTest::testVar_2" Opr2="const float 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> </Connector> </Node> <Node Class="PluginBehaviac.Nodes.Wait" Enable="true" HasOwnPrefabData="false" Id="4" PrefabName="" PrefabNodeId="-1" Time="const float 1000"> <Comment Background="NoColor" Text="" /> </Node> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="11" Operator="Sub" Opl="int Self.AgentNodeTest::testVar_0" Opr1="int Self.AgentNodeTest::testVar_0" Opr2="const int 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> </Connector> </Node> </Connector> </Node> <Node Class="PluginBehaviac.Nodes.DecoratorWeight" DecorateWhenChildEnds="false" Enable="true" HasOwnPrefabData="false" Id="6" PrefabName="" PrefabNodeId="-1" Weight="const int 10"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Sequence" Enable="true" HasOwnPrefabData="false" Id="8" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Parallel" ChildFinishPolicy="CHILDFINISH_LOOP" Enable="true" ExitPolicy="EXIT_ABORT_RUNNINGSIBLINGS" FailurePolicy="FAIL_ON_ONE" HasOwnPrefabData="false" Id="12" PrefabName="" PrefabNodeId="-1" SuccessPolicy="SUCCEED_ON_ALL"> <Comment Background="NoColor" Text="" /> <Connector Identifier="GenericChildren"> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="3" Operator="Add" Opl="int Self.AgentNodeTest::testVar_1" Opr1="int Self.AgentNodeTest::testVar_1" Opr2="const int 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="14" Operator="Add" Opl="float Self.AgentNodeTest::testVar_3" Opr1="float Self.AgentNodeTest::testVar_3" Opr2="const float 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> </Connector> </Node> <Node Class="PluginBehaviac.Nodes.Wait" Enable="true" HasOwnPrefabData="false" Id="9" PrefabName="" PrefabNodeId="-1" Time="const float 1000"> <Comment Background="NoColor" Text="" /> </Node> <Node Class="PluginBehaviac.Nodes.Compute" Enable="true" HasOwnPrefabData="false" Id="1" Operator="Sub" Opl="int Self.AgentNodeTest::testVar_1" Opr1="int Self.AgentNodeTest::testVar_1" Opr2="const int 1" PrefabName="" PrefabNodeId="-1"> <Comment Background="NoColor" Text="" /> </Node> </Connector> </Node> </Connector> </Node> </Connector> </Node> </Connector> </Node> </Connector> </Node> </Behavior> ```
/content/code_sandbox/integration/unity/Assets/behaviac/workspace/behaviors/node_test/selector_probability_ut_4.xml
xml
2016-11-21T05:08:08
2024-08-16T07:18:30
behaviac
Tencent/behaviac
2,831
1,446
```xml // This file is part of Moonfire NVR, a security camera network video recorder. import Box from "@mui/material/Box"; import Modal from "@mui/material/Modal"; import Paper from "@mui/material/Paper"; import { useTheme } from "@mui/material/styles"; import Table from "@mui/material/Table"; import TableContainer from "@mui/material/TableContainer"; import utcToZonedTime from "date-fns-tz/utcToZonedTime"; import format from "date-fns/format"; import React, { useMemo, useReducer, useState } from "react"; import * as api from "../api"; import { Stream } from "../types"; import DisplaySelector, { DEFAULT_DURATION } from "./DisplaySelector"; import StreamMultiSelector from "./StreamMultiSelector"; import TimerangeSelector from "./TimerangeSelector"; import VideoList, { CombinedRecording } from "./VideoList"; import { useLayoutEffect } from "react"; import { fillAspect } from "../aspect"; import useResizeObserver from "@react-hook/resize-observer"; import { useSearchParams } from "react-router-dom"; import { FrameProps } from "../App"; import IconButton from "@mui/material/IconButton"; import FilterList from "@mui/icons-material/FilterList"; interface FullScreenVideoProps { src: string; aspect: [number, number]; } /** * A video sized for the entire document window constrained to aspect ratio. * This is particularly helpful for Firefox (89), which doesn't honor the * pixel aspect ratio specified in .mp4 files. Thus we need to specify it * out-of-band. */ const FullScreenVideo = ({ src, aspect }: FullScreenVideoProps) => { const ref = React.useRef<HTMLVideoElement>(null); useLayoutEffect(() => { fillAspect(document.body.getBoundingClientRect(), ref, aspect); }); useResizeObserver(document.body, (entry: ResizeObserverEntry) => { fillAspect(entry.contentRect, ref, aspect); }); return <video ref={ref} controls preload="auto" autoPlay src={src} />; }; interface Props { timeZoneName: string; toplevel: api.ToplevelResponse; Frame: (props: FrameProps) => JSX.Element; } /// Parsed URL search parameters. interface ParsedSearchParams { selectedStreamIds: Set<number>; split90k: number | undefined; trimStartAndEnd: boolean; timestampTrack: boolean; } /// <tt>ParsedSearchParams</tt> plus <tt>useState</tt>-like setters. interface ParsedSearchParamsAndSetters extends ParsedSearchParams { setSelectedStreamIds: (selectedStreamIds: Set<number>) => void; setSplit90k: (split90k: number | undefined) => void; setTrimStartAndEnd: (trimStartAndEnd: boolean) => void; setTimestampTrack: (timestampTrack: boolean) => void; } const parseSearchParams = (raw: URLSearchParams): ParsedSearchParams => { let selectedStreamIds = new Set<number>(); let split90k = DEFAULT_DURATION; let trimStartAndEnd = true; let timestampTrack = false; for (const [key, value] of raw) { switch (key) { case "s": selectedStreamIds.add(Number.parseInt(value, 10)); break; case "split": split90k = value === "inf" ? undefined : Number.parseInt(value, 10); break; case "trim": trimStartAndEnd = value === "true"; break; case "ts": timestampTrack = value === "true"; break; } } return { selectedStreamIds, split90k, trimStartAndEnd, timestampTrack, }; }; const useParsedSearchParams = (): ParsedSearchParamsAndSetters => { const [search, setSearch] = useSearchParams(); // This useMemo is necessary to avoid a re-rendering loop caused by each // call's selectedStreamIds set having different identity. const { selectedStreamIds, split90k, trimStartAndEnd, timestampTrack } = useMemo(() => parseSearchParams(search), [search]); const setSelectedStreamIds = (newSelectedStreamIds: Set<number>) => { // TODO: check if it's worth suppressing no-ops here. search.delete("s"); for (const id of newSelectedStreamIds) { search.append("s", id.toString()); } setSearch(search); }; const setSplit90k = (newSplit90k: number | undefined) => { if (newSplit90k === split90k) { return; } else if (newSplit90k === DEFAULT_DURATION) { search.delete("split"); } else if (newSplit90k === undefined) { search.set("split", "inf"); } else { search.set("split", newSplit90k.toString()); } setSearch(search); }; const setTrimStartAndEnd = (newTrimStartAndEnd: boolean) => { if (newTrimStartAndEnd === trimStartAndEnd) { return; } else if (newTrimStartAndEnd === true) { search.delete("trim"); // default } else { search.set("trim", "false"); } setSearch(search); }; const setTimestampTrack = (newTimestampTrack: boolean) => { if (newTimestampTrack === timestampTrack) { return; } else if (newTimestampTrack === false) { search.delete("ts"); // default } else { search.set("ts", "true"); } setSearch(search); }; return { selectedStreamIds, setSelectedStreamIds, split90k, setSplit90k, trimStartAndEnd, setTrimStartAndEnd, timestampTrack, setTimestampTrack, }; }; const calcSelectedStreams = ( toplevel: api.ToplevelResponse, ids: Set<number> ): Set<Stream> => { let streams = new Set<Stream>(); for (const id of ids) { const s = toplevel.streams.get(id); if (s === undefined) { continue; } streams.add(s); } return streams; }; const Main = ({ toplevel, timeZoneName, Frame }: Props) => { const theme = useTheme(); const { selectedStreamIds, setSelectedStreamIds, split90k, setSplit90k, trimStartAndEnd, setTrimStartAndEnd, timestampTrack, setTimestampTrack, } = useParsedSearchParams(); const [showSelectors, toggleShowSelectors] = useReducer( (m: boolean) => !m, true ); // The time range to examine, or null if one hasn't yet been selected. This // is set by TimerangeSelector. As noted in TimerangeSelector's file-level // doc comment, its internal state changes don't always change range90k. // Other components operate on the end result to avoid unnecessary re-renders // and re-fetches. const [range90k, setRange90k] = useState<[number, number] | null>(null); // TimerangeSelector currently expects a Set<Stream>. Memoize one; otherwise // we'd get an infinite rerendering loop because the Set identity changes // each time. const selectedStreams = useMemo( () => calcSelectedStreams(toplevel, selectedStreamIds), [toplevel, selectedStreamIds] ); const [activeRecording, setActiveRecording] = useState< [Stream, CombinedRecording] | null >(null); const formatTime = useMemo(() => { return (time90k: number) => { return format( utcToZonedTime(new Date(time90k / 90), timeZoneName), "d MMM yyyy HH:mm:ss" ); }; }, [timeZoneName]); let videoLists = []; for (const s of selectedStreams) { videoLists.push( <VideoList key={`${s.camera.uuid}-${s.streamType}`} stream={s} range90k={range90k} split90k={split90k} trimStartAndEnd={trimStartAndEnd} setActiveRecording={setActiveRecording} formatTime={formatTime} /> ); } const closeModal = (event: {}, reason: string) => { setActiveRecording(null); }; const recordingsTable = ( <TableContainer component={Paper} sx={{ mx: 1, flexGrow: 1, width: "max-content", height: "max-content", "& .streamHeader": { background: theme.palette.primary.light, color: theme.palette.primary.contrastText, }, "& .MuiTableBody-root:not(:last-child):after": { content: "''", display: "block", height: theme.spacing(2), }, "& tbody .recording": { cursor: "pointer", }, "& .opt": { [theme.breakpoints.down("lg")]: { display: "none", }, }, }} > <Table size="small">{videoLists}</Table> </TableContainer> ); return ( <Frame activityMenuPart={ <IconButton aria-label="selectors" onClick={toggleShowSelectors} color="inherit" sx={showSelectors ? { border: `1px solid #eee` } : {}} size="small" > <FilterList /> </IconButton> } > <Box sx={{ display: "flex", flexWrap: "wrap", margin: theme.spacing(2), }} > <Box sx={{ display: showSelectors ? "flex" : "none", maxWidth: { xs: "100%", sm: "300px", md: "300px" }, gap: 1, mb: 2, flexDirection: "column", }} > <StreamMultiSelector toplevel={toplevel} selected={selectedStreamIds} setSelected={setSelectedStreamIds} /> <TimerangeSelector selectedStreams={selectedStreams} setRange90k={setRange90k} timeZoneName={timeZoneName} /> <DisplaySelector split90k={split90k} setSplit90k={setSplit90k} trimStartAndEnd={trimStartAndEnd} setTrimStartAndEnd={setTrimStartAndEnd} timestampTrack={timestampTrack} setTimestampTrack={setTimestampTrack} /> </Box> {videoLists.length > 0 && recordingsTable} {activeRecording != null && ( <Modal open onClose={closeModal} sx={{ // Make the content as large as possible without distorting it. // Center it in the screen and ensure that the video element only // takes up the space actually used by the content, so that clicking // outside it will dismiss the modal. display: "flex", alignItems: "center", justifyContent: "center", "& video": { objectFit: "fill", }, }} > <FullScreenVideo src={api.recordingUrl( activeRecording[0].camera.uuid, activeRecording[0].streamType, activeRecording[1], timestampTrack, trimStartAndEnd ? range90k! : undefined )} aspect={[ activeRecording[1].aspectWidth, activeRecording[1].aspectHeight, ]} /> </Modal> )} </Box> </Frame> ); }; export default Main; ```
/content/code_sandbox/ui/src/List/index.tsx
xml
2016-01-02T06:05:42
2024-08-16T11:13:05
moonfire-nvr
scottlamb/moonfire-nvr
1,209
2,512
```xml export { default, default as CommunityRoute } from "./CommunityRoute"; ```
/content/code_sandbox/client/src/core/client/admin/routes/Community/index.ts
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
15
```xml import { NgModule } from '@angular/core'; import { Apollo } from './apollo'; export const PROVIDERS = [Apollo]; @NgModule({ providers: PROVIDERS, }) export class ApolloModule {} ```
/content/code_sandbox/packages/apollo-angular/src/apollo-module.ts
xml
2016-04-16T00:10:50
2024-08-15T11:41:24
apollo-angular
kamilkisiela/apollo-angular
1,497
40
```xml import { autoUpdate, flip, FloatingFocusManager, FloatingList, FloatingNode, FloatingPortal, FloatingTree, offset, safePolygon, shift, useClick, useDismiss, useFloating, useFloatingNodeId, useFloatingParentNodeId, useFloatingTree, useHover, useInteractions, useListItem, useListNavigation, useMergeRefs, useRole, useTypeahead, } from '@floating-ui/react'; import {ChevronRightIcon} from '@radix-ui/react-icons'; import c from 'clsx'; import * as React from 'react'; type MenuContextType = { getItemProps: ReturnType<typeof useInteractions>['getItemProps']; activeIndex: number | null; setActiveIndex: React.Dispatch<React.SetStateAction<number | null>>; setHasFocusInside: React.Dispatch<React.SetStateAction<boolean>>; allowHover: boolean; isOpen: boolean; setIsOpen: React.Dispatch<React.SetStateAction<boolean>>; parent: MenuContextType | null; }; const MenuContext = React.createContext<MenuContextType>({ getItemProps: () => ({}), activeIndex: null, setActiveIndex: () => {}, setHasFocusInside: () => {}, allowHover: true, isOpen: false, setIsOpen: () => {}, parent: null, }); interface MenuProps { label: string; nested?: boolean; children?: React.ReactNode; keepMounted?: boolean; } export const MenuComponent = React.forwardRef< HTMLButtonElement, MenuProps & React.HTMLProps<HTMLButtonElement> >(function Menu( {children, label, keepMounted = false, ...props}, forwardedRef, ) { const [isOpen, setIsOpen] = React.useState(false); const [activeIndex, setActiveIndex] = React.useState<number | null>(null); const [allowHover, setAllowHover] = React.useState(false); const [hasFocusInside, setHasFocusInside] = React.useState(false); const elementsRef = React.useRef<Array<HTMLButtonElement | null>>([]); const labelsRef = React.useRef<Array<string | null>>([]); const tree = useFloatingTree(); const nodeId = useFloatingNodeId(); const parentId = useFloatingParentNodeId(); const isNested = parentId != null; const parent = React.useContext(MenuContext); const item = useListItem(); const {floatingStyles, refs, context} = useFloating<HTMLButtonElement>({ nodeId, open: isOpen, onOpenChange: setIsOpen, placement: isNested ? 'right-start' : 'bottom-start', middleware: [ offset({mainAxis: isNested ? 0 : 4, alignmentAxis: isNested ? -4 : 0}), flip(), shift(), ], whileElementsMounted: autoUpdate, }); const hover = useHover(context, { enabled: isNested && allowHover, delay: {open: 75}, handleClose: safePolygon({blockPointerEvents: true}), }); const click = useClick(context, { event: 'mousedown', toggle: !isNested || !allowHover, ignoreMouse: isNested, }); const role = useRole(context, {role: 'menu'}); const dismiss = useDismiss(context, {bubbles: true}); const listNavigation = useListNavigation(context, { listRef: elementsRef, activeIndex, nested: isNested, onNavigate: setActiveIndex, }); const typeahead = useTypeahead(context, { listRef: labelsRef, onMatch: isOpen ? setActiveIndex : undefined, activeIndex, }); const {getReferenceProps, getFloatingProps, getItemProps} = useInteractions([ hover, click, role, dismiss, listNavigation, typeahead, ]); // Event emitter allows you to communicate across tree components. // This effect closes all menus when an item gets clicked anywhere // in the tree. React.useEffect(() => { if (!tree) return; function handleTreeClick() { setIsOpen(false); } function onSubMenuOpen(event: {nodeId: string; parentId: string}) { if (event.nodeId !== nodeId && event.parentId === parentId) { setIsOpen(false); } } tree.events.on('click', handleTreeClick); tree.events.on('menuopen', onSubMenuOpen); return () => { tree.events.off('click', handleTreeClick); tree.events.off('menuopen', onSubMenuOpen); }; }, [tree, nodeId, parentId]); React.useEffect(() => { if (isOpen && tree) { tree.events.emit('menuopen', {parentId, nodeId}); } }, [tree, isOpen, nodeId, parentId]); // Determine if "hover" logic can run based on the modality of input. This // prevents unwanted focus synchronization as menus open and close with // keyboard navigation and the cursor is resting on the menu. React.useEffect(() => { function onPointerMove({pointerType}: PointerEvent) { if (pointerType !== 'touch') { setAllowHover(true); } } function onKeyDown() { setAllowHover(false); } window.addEventListener('pointermove', onPointerMove, { once: true, capture: true, }); window.addEventListener('keydown', onKeyDown, true); return () => { window.removeEventListener('pointermove', onPointerMove, { capture: true, }); window.removeEventListener('keydown', onKeyDown, true); }; }, [allowHover]); return ( <FloatingNode id={nodeId}> <button ref={useMergeRefs([refs.setReference, item.ref, forwardedRef])} data-open={isOpen ? '' : undefined} tabIndex={ !isNested ? props.tabIndex : parent.activeIndex === item.index ? 0 : -1 } className={c( props.className || 'text-left flex gap-4 justify-between items-center rounded py-1 px-2', { 'focus:bg-blue-500 focus:text-white outline-none': isNested, 'bg-blue-500 text-white': isOpen && isNested && !hasFocusInside, 'bg-slate-200 rounded py-1 px-2': isNested && isOpen && hasFocusInside, 'bg-slate-200': !isNested && isOpen, }, )} {...getReferenceProps( parent.getItemProps({ ...props, onFocus(event: React.FocusEvent<HTMLButtonElement>) { props.onFocus?.(event); setHasFocusInside(false); parent.setHasFocusInside(true); }, onMouseEnter(event: React.MouseEvent<HTMLButtonElement>) { props.onMouseEnter?.(event); if (parent.allowHover && parent.isOpen) { parent.setActiveIndex(item.index); } }, }), )} > {label} {isNested && ( <span aria-hidden className="ml-4"> <ChevronRightIcon /> </span> )} </button> <MenuContext.Provider value={{ activeIndex, setActiveIndex, getItemProps, setHasFocusInside, allowHover, isOpen, setIsOpen, parent, }} > <FloatingList elementsRef={elementsRef} labelsRef={labelsRef}> {(keepMounted || isOpen) && ( <FloatingPortal> <FloatingFocusManager context={context} modal={false} initialFocus={isNested ? -1 : 0} returnFocus={!isNested} > <div ref={refs.setFloating} className="flex flex-col rounded bg-white shadow-lg outline-none p-1 border border-slate-900/10 bg-clip-padding" style={{ ...floatingStyles, visibility: !keepMounted ? undefined : isOpen ? 'visible' : 'hidden', }} aria-hidden={!isOpen} {...getFloatingProps()} > {children} </div> </FloatingFocusManager> </FloatingPortal> )} </FloatingList> </MenuContext.Provider> </FloatingNode> ); }); interface MenuItemProps { label: string; disabled?: boolean; } export const MenuItem = React.forwardRef< HTMLButtonElement, MenuItemProps & React.ButtonHTMLAttributes<HTMLButtonElement> >(function MenuItem({label, disabled, ...props}, forwardedRef) { const menu = React.useContext(MenuContext); const item = useListItem({label: disabled ? null : label}); const tree = useFloatingTree(); const isActive = item.index === menu.activeIndex; return ( <button {...props} ref={useMergeRefs([item.ref, forwardedRef])} type="button" role="menuitem" disabled={disabled} tabIndex={isActive ? 0 : -1} className={c( 'text-left flex py-1 px-2 focus:bg-blue-500 focus:text-white outline-none rounded', {'opacity-40': disabled}, )} {...menu.getItemProps({ active: isActive, onClick(event: React.MouseEvent<HTMLButtonElement>) { props.onClick?.(event); tree?.events.emit('click'); }, onFocus(event: React.FocusEvent<HTMLButtonElement>) { props.onFocus?.(event); menu.setHasFocusInside(true); }, onMouseEnter(event: React.MouseEvent<HTMLButtonElement>) { props.onMouseEnter?.(event); if (menu.allowHover && menu.isOpen) { menu.setActiveIndex(item.index); } }, onKeyDown(event) { function closeParents(parent: MenuContextType | null) { parent?.setIsOpen(false); if (parent?.parent) { closeParents(parent.parent); } } if ( event.key === 'ArrowRight' && // If the root reference is in a menubar, close parents tree?.nodesRef.current[0].context?.elements.domReference?.closest( '[role="menubar"]', ) ) { closeParents(menu.parent); } }, })} > {label} </button> ); }); export const Menu = React.forwardRef< HTMLButtonElement, MenuProps & React.HTMLProps<HTMLButtonElement> >(function MenuWrapper(props, ref) { const parentId = useFloatingParentNodeId(); if (parentId === null) { return ( <FloatingTree> <MenuComponent {...props} ref={ref} /> </FloatingTree> ); } return <MenuComponent {...props} ref={ref} />; }); export const Main = () => { return ( <> <h1 className="text-5xl font-bold mb-8">Menu</h1> <div className="grid place-items-center border border-slate-400 rounded lg:w-[40rem] h-[20rem] mb-4"> <Menu label="Edit"> <MenuItem label="Undo" onClick={() => console.log('Undo')} /> <MenuItem label="Redo" /> <MenuItem label="Cut" disabled /> <Menu label="Copy as" keepMounted> <MenuItem label="Text" /> <MenuItem label="Video" /> <Menu label="Image" keepMounted> <MenuItem label=".png" /> <MenuItem label=".jpg" /> <MenuItem label=".svg" /> <MenuItem label=".gif" /> </Menu> <MenuItem label="Audio" /> </Menu> <Menu label="Share"> <MenuItem label="Mail" /> <MenuItem label="Instagram" /> </Menu> </Menu> </div> </> ); }; ```
/content/code_sandbox/packages/react/test/visual/components/Menu.tsx
xml
2016-03-29T17:00:47
2024-08-16T16:29:40
floating-ui
floating-ui/floating-ui
29,450
2,531
```xml <?xml version="1.0" encoding="utf-8"?> <TextView xmlns:android="path_to_url" android:layout_width="match_parent" android:layout_height="?attr/listPreferredItemHeightSmall" android:gravity="center_vertical|start" android:maxLines="1" android:paddingLeft="?attr/listPreferredItemPaddingLeft" android:paddingRight="?attr/listPreferredItemPaddingRight" android:textAppearance="?attr/textAppearanceListItem" android:textColor="?android:textColorSecondary" /> ```
/content/code_sandbox/app/src/main/res/layout/design_drawer_item_subheader.xml
xml
2016-03-24T06:20:39
2024-08-15T11:37:10
remusic
aa112901/remusic
6,266
110
```xml <vector xmlns:android="path_to_url" android:height="34.0dp" android:tint="?attr/colorControlNormal" android:viewportHeight="15" android:viewportWidth="15" android:width="34.0dp"> <path android:fillColor="@android:color/white" android:pathData="M11 8C12 8.5 14 8.5 15 8C15 8 15 14 15 14C15 15 11 15 11 14C11 14 11 8 11 8zM11.5 4.5C11.5 4.5 11.5 7.5 11.5 7.5C11.5 8 14.5 8 14.5 7.5C14.5 7.5 14.5 4.5 14.5 4.5C14 5 12 5 11.5 4.5zM12 2C12 2 12 4 12 4C12 4.5 14 4.5 14 4C14 4 14 0.5 14 0.5C14 0.5 12 1.5 12 2z"/> <path android:fillColor="@android:color/white" android:pathData="M7 5C8.5 5 8.5 7 10 7C10 7 8 10 5 10C2 10 0 7 0 7C1.5 7 1.5 5 3 5C4 5 5 6 5 6C5 6 6 5 7 5zM8 7C6.5 7.5 3.5 7.5 2 7C4.5 8.5 5.5 8.5 8 7z"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_preset_temaki_lipstick.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
434
```xml import { getAnalytics } from 'firebase/analytics' import { useFirebaseApp } from '../app/composables' /** * Retrieves the Firebase analytics instance. **Returns `null` on the server** and when the platform isn't supported. * * @param name - name of the application * @returns the Analytics instance */ export function useAnalytics() { return import.meta.client ? getAnalytics(useFirebaseApp()) : null } ```
/content/code_sandbox/packages/nuxt/src/runtime/analytics/composables.ts
xml
2016-01-07T22:57:53
2024-08-16T14:23:27
vuefire
vuejs/vuefire
3,833
90
```xml export * from './relations-modal'; ```
/content/code_sandbox/src/renderer/views/admin/views/add/metadata/columns/tabs/relations-modal/index.tsx
xml
2016-05-14T02:18:49
2024-08-16T02:46:28
ElectroCRUD
garrylachman/ElectroCRUD
1,538
8
```xml import { Environment } from '@/react/portainer/environments/types'; import { APIForm } from './APIForm'; interface Props { onCreate(environment: Environment): void; } export function APITab({ onCreate }: Props) { return ( <div className="mt-5"> <APIForm onCreate={onCreate} /> </div> ); } ```
/content/code_sandbox/app/react/portainer/environments/wizard/EnvironmentsCreationView/WizardDocker/APITab/APITab.tsx
xml
2016-05-19T20:15:28
2024-08-16T19:15:14
portainer
portainer/portainer
30,083
76
```xml <resources> <string name="file_shuttle_summary">Shuttled by Island</string> </resources> ```
/content/code_sandbox/fileprovider/src/main/res/values/strings.xml
xml
2016-04-23T11:30:18
2024-08-16T16:08:51
island
oasisfeng/island
2,532
25
```xml import { Middleware } from "react-relay-network-modern/es"; const clearHTTPCacheMiddleware: (clearCacheBefore?: Date) => Middleware = (clearCacheBefore) => (next) => async (req) => { if (clearCacheBefore && new Date() < clearCacheBefore) { req.fetchOpts.headers["Cache-Control"] = "no-store"; req.fetchOpts.headers.Pragma = "no-store"; } return next(req); }; export default clearHTTPCacheMiddleware; ```
/content/code_sandbox/client/src/core/client/framework/lib/network/clearHTTPCacheMiddleware.ts
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
107
```xml <?xml version="1.0" encoding="UTF-8" standalone="no"?> <launchConfiguration type="com.tasking.cdt.launch.localCLaunch"> <booleanAttribute key="com.tasking.debug.cdt.core.BREAK_ON_EXIT" value="true"/> <booleanAttribute key="com.tasking.debug.cdt.core.CACHE_TARGET_ACCESS" value="false"/> <stringAttribute key="com.tasking.debug.cdt.core.COMMUNICATION" value="ST-LINK over USB (JTAG)"/> <stringAttribute key="com.tasking.debug.cdt.core.CONFIGURATION" value="Default"/> <stringAttribute key="com.tasking.debug.cdt.core.DILOGCALLBACK_LOG_FILE_NAME" value=""/> <booleanAttribute key="com.tasking.debug.cdt.core.DOWNLOAD" value="true"/> <stringAttribute key="com.tasking.debug.cdt.core.FSS_ROOT" value="${project_loc}\${build_config}"/> <stringAttribute key="com.tasking.debug.cdt.core.GDILOG_FILE_NAME" value=""/> <booleanAttribute key="com.tasking.debug.cdt.core.GOTO_MAIN" value="true"/> <booleanAttribute key="com.tasking.debug.cdt.core.HISTORY_BUFFER_ENABLED" value="false"/> <stringAttribute key="com.tasking.debug.cdt.core.MSGLOG_FILE_NAME" value=""/> <booleanAttribute key="com.tasking.debug.cdt.core.PROGRAM_FLASH" value="true"/> <booleanAttribute key="com.tasking.debug.cdt.core.PSM_ENABLED" value="true"/> <booleanAttribute key="com.tasking.debug.cdt.core.RESET_TARGET" value="true"/> <stringAttribute key="com.tasking.debug.cdt.core.TARGET" value="STMicroelectronics STM3210B-Eval board"/> <booleanAttribute key="com.tasking.debug.cdt.core.TARGET_POLLING" value="false"/> <booleanAttribute key="com.tasking.debug.cdt.core.USE_MDF_FILE" value="false"/> <booleanAttribute key="com.tasking.debug.cdt.core.VERIFY" value="true"/> <booleanAttribute key="com.tasking.debug.cdt.core.linkToProject" value="true"/> <stringAttribute key="debugger_configuration.debug_instrument_module" value="distlink"/> <stringAttribute key="debugger_configuration.gdi.flash.flash_mirror_address" value="0x0"/> <stringAttribute key="debugger_configuration.gdi.flash.flash_monitor" value="fstm32f10x.sre"/> <stringAttribute key="debugger_configuration.gdi.flash.flash_sector_buffer_size" value="4096"/> <stringAttribute key="debugger_configuration.gdi.flash.flash_workspace" value="0x20000000"/> <stringAttribute key="debugger_configuration.gdi.resource.hwdiarm.protocol" value="JTAG"/> <stringAttribute key="debugger_configuration.general.kdi_orti_file" value=""/> <stringAttribute key="debugger_configuration.general.ksm_sharedlib" value=""/> <stringAttribute key="org.eclipse.cdt.launch.DEBUGGER_ID" value="com.tasking.debug.cdt.core.CDebugger"/> <stringAttribute key="org.eclipse.cdt.launch.DEBUGGER_START_MODE" value="run"/> <booleanAttribute key="org.eclipse.cdt.launch.DEBUGGER_STOP_AT_MAIN" value="true"/> <booleanAttribute key="org.eclipse.cdt.launch.ENABLE_REGISTER_BOOKKEEPING" value="false"/> <booleanAttribute key="org.eclipse.cdt.launch.ENABLE_VARIABLE_BOOKKEEPING" value="false"/> <stringAttribute key="org.eclipse.cdt.launch.PROGRAM_NAME" value="${project_loc}\${build_config}\STM3210B-EVAL.abs"/> <stringAttribute key="org.eclipse.cdt.launch.PROJECT_ATTR" value="STM3210B-EVAL"/> <booleanAttribute key="org.eclipse.cdt.launch.use_terminal" value="true"/> <listAttribute key="org.eclipse.debug.core.MAPPED_RESOURCE_PATHS"> <listEntry value="/STM3210B-EVAL"/> </listAttribute> <listAttribute key="org.eclipse.debug.core.MAPPED_RESOURCE_TYPES"> <listEntry value="4"/> </listAttribute> </launchConfiguration> ```
/content/code_sandbox/libs/STM32_USB-FS-Device_Lib_V4.0.0/Projects/JoyStickMouse/TASKING/STM3210B-EVAL/STM3210B-EVAL.launch
xml
2016-08-10T15:31:26
2024-08-16T13:06:40
Avem
avem-labs/Avem
1,930
807
```xml <Project DefaultTargets="Build" xmlns="path_to_url"> <PropertyGroup> <!-- First use MAC_DESTDIR as the root if that's set --> <libxammac_path Condition="'$(MAC_DESTDIR)' != ''">$(MAC_DESTDIR)Library/Frameworks/Xamarin.Mac.framework/Versions/Current/SDKs/Xamarin.macOS.sdk/lib/libxammac.dylib</libxammac_path> <xammac_dll_path Condition="'$(MAC_DESTDIR)' != ''">$(MAC_DESTDIR)Library/Frameworks/Xamarin.Mac.framework/Versions/Current/lib/64bits/full/Xamarin.Mac.dll</xammac_dll_path> <!-- If told to use the system file, use that --> <libxammac_path Condition="'$(TESTS_USE_SYSTEM)' != ''">/Library/Frameworks/Xamarin.Mac.framework/Versions/Current/SDKs/Xamarin.macOS.sdk/lib/libxammac.dylib</libxammac_path> <xammac_dll_path Condition="'$(TESTS_USE_SYSTEM)' != ''">/Library/Frameworks/Xamarin.Mac.framework/Versions/Current/lib/64bits/full/Xamarin.Mac.dll</xammac_dll_path> <!-- Otherwise default to what we build locally --> <libxammac_path Condition="!Exists('$(libxammac_path)')">$(ProjectDir)/../../../_mac-build/Library/Frameworks/Xamarin.Mac.framework/Versions/Current/SDKs/Xamarin.macOS.sdk/lib/libxammac.dylib</libxammac_path> <xammac_dll_path Condition="!Exists('$(xammac_dll_path)')">$(ProjectDir)/../../../_mac-build/Library/Frameworks/Xamarin.Mac.framework/Versions/Current/lib/64bits/full/Xamarin.Mac.dll</xammac_dll_path> </PropertyGroup> <Target Name="AfterBuild" Inputs="$(libxammac_path);$(xammac_dll_path)" Outputs="$(OutputPath)/Stuff/libxammac.dylib;$(OutputPath)/Stuff/Xamarin.Mac.dll"> <Copy SourceFiles="$(libxammac_path)" DestinationFiles="$(OutputPath)/Stuff/libxammac.dylib" /> <Copy SourceFiles="$(xammac_dll_path)" DestinationFiles="$(OutputPath)/Stuff/Xamarin.Mac.dll" /> </Target> </Project> ```
/content/code_sandbox/tests/common/mac/ConsoleXM.targets
xml
2016-04-20T18:24:26
2024-08-16T13:29:19
xamarin-macios
xamarin/xamarin-macios
2,436
500
```xml <vector xmlns:android="path_to_url" android:width="16dp" android:height="16dp" android:viewportWidth="16" android:viewportHeight="16"> <path android:pathData="M11,4H9V5H11C12.657,5 14,6.343 14,8C14,9.657 12.657,11 11,11H9V12H11C13.209,12 15,10.209 15,8C15,5.791 13.209,4 11,4ZM5,4H7V5H5C3.343,5 2,6.343 2,8C2,9.657 3.343,11 5,11H7V12H5C2.791,12 1,10.209 1,8C1,5.791 2.791,4 5,4ZM11,7.5H5V8.5H11V7.5Z" android:fillColor="#616366" android:fillType="evenOdd"/> </vector> ```
/content/code_sandbox/shared/original-core-ui/src/main/res/drawable/ic_link_small.xml
xml
2016-05-04T11:46:20
2024-08-15T16:29:10
android
meganz/android
1,537
253
```xml import React from 'react' import Router from './Router' import { usingElectron, sendToHost, useElectron, globalContextMenuIsConfigured, } from '../lib/stores/electron' import { GlobalDataProvider } from '../lib/stores/globalData' import { useEffectOnce } from 'react-use' import { gaTrackingId, nodeEnv, boostHubBaseUrl } from '../lib/consts' import '../lib/i18n' import { RealtimeConnProvider } from '../lib/stores/realtimeConn' import { V2ToastProvider } from '../../design/lib/stores/toast' const App = () => { useElectron() useEffectOnce(() => { if (!usingElectron) { return } if (globalContextMenuIsConfigured) { return } const handler = (event: MouseEvent) => { event.preventDefault() event.stopPropagation() sendToHost('open-context-menu') } window.addEventListener('contextmenu', handler) return () => { window.removeEventListener('contextmenu', handler) } }) return ( <> <link href='/app/katex/katex.min.css' rel='stylesheet' /> <link href='/app/remark-admonitions/classic.css' rel='stylesheet' /> <V2ToastProvider> <GlobalDataProvider> <RealtimeConnProvider> <Router /> </RealtimeConnProvider> </GlobalDataProvider> </V2ToastProvider> <script async={true} src={`path_to_url{gaTrackingId}`} /> <script dangerouslySetInnerHTML={{ __html: `(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', '${gaTrackingId}', 'auto'); ga('send', 'pageview');`, }} /> {nodeEnv === 'production' && ( <script type='text/javascript' src={`${boostHubBaseUrl}/static/mixpanel.js`} /> )} </> ) } export default App ```
/content/code_sandbox/src/cloud/components/App.tsx
xml
2016-11-19T14:30:34
2024-08-16T03:13:45
BoostNote-App
BoostIO/BoostNote-App
3,745
522
```xml /** * @license * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ import {MDCMenuItemEventDetail} from './types'; /** * Implement this adapter for your framework of choice to delegate updates to * the component in your framework of choice. See architecture documentation * for more details. * path_to_url */ export interface MDCMenuAdapter { /** * Adds a class to the element at the index provided. */ addClassToElementAtIndex(index: number, className: string): void; /** * Removes a class from the element at the index provided */ removeClassFromElementAtIndex(index: number, className: string): void; /** * Adds an attribute, with value, to the element at the index provided. */ addAttributeToElementAtIndex(index: number, attr: string, value: string): void; /** * Removes an attribute from an element at the index provided. */ removeAttributeFromElementAtIndex(index: number, attr: string): void; /** * @return the attribute string if present on an element at the index * provided, null otherwise. */ getAttributeFromElementAtIndex(index: number, attr: string): string|null; /** * @return true if the element contains the className. */ elementContainsClass(element: Element, className: string): boolean; /** * Closes the menu-surface. * @param skipRestoreFocus Whether to skip restoring focus to the previously * focused element after the surface has been closed. */ closeSurface(skipRestoreFocus?: boolean): void; /** * @return Index of the element in the list or -1 if it is not in the list. */ getElementIndex(element: HTMLElement): number; /** * Emit an event when a menu item is selected. */ notifySelected(eventData: MDCMenuItemEventDetail): void; /** @return Returns the menu item count. */ getMenuItemCount(): number; /** * Focuses the menu item at given index. * @param index Index of the menu item that will be focused every time the * menu opens. */ focusItemAtIndex(index: number): void; /** Focuses the list root element. */ focusListRoot(): void; /** * @return Returns selected list item index within the same selection group * which is * a sibling of item at given `index`. * @param index Index of the menu item with possible selected sibling. */ getSelectedSiblingOfItemAtIndex(index: number): number; /** * @return Returns true if item at specified index is contained within an * `.mdc-menu__selection-group` element. * @param index Index of the selectable menu item. */ isSelectableItemAtIndex(index: number): boolean; } ```
/content/code_sandbox/packages/mdc-menu/adapter.ts
xml
2016-12-05T16:04:09
2024-08-16T15:42:22
material-components-web
material-components/material-components-web
17,119
822
```xml // Joo Mendes // March 2019 import { WebPartContext } from "@microsoft/sp-webpart-base"; import { sp, Fields, Web, SearchResults, Field, PermissionKind, RegionalSettings, PagedItemCollection } from '@pnp/sp'; import { graph, } from "@pnp/graph"; import { SPHttpClient, SPHttpClientResponse, ISPHttpClientOptions, HttpClient, MSGraphClient } from '@microsoft/sp-http'; import * as $ from 'jquery'; import { registerDefaultFontFaces } from "@uifabric/styling"; import * as moment from 'moment'; import { SiteUser } from "@pnp/sp/src/siteusers"; import { dateAdd } from "@pnp/common"; import { escape, update } from '@microsoft/sp-lodash-subset'; // Class Services export default class spservices { private graphClient: MSGraphClient = null; constructor(private context: WebPartContext) { // Setuo Context to PnPjs and MSGraph sp.setup({ spfxContext: this.context }); graph.setup({ spfxContext: this.context }); // Init this.onInit(); } // OnInit Function private async onInit() { } public async getSiteLists(siteUrl: string) { let results: any[] = []; if (!siteUrl) { return []; } try { const web = new Web(siteUrl); results = await web.lists .select("Title", "ID") .filter('BaseTemplate eq 101 or BaseTemplate eq 109') .usingCaching() .get(); } catch (error) { return Promise.reject(error); } return results; } public async getImages(siteUrl: string, listId: string, numberImages: number): Promise<any[]> { let results: any[] = []; try { const web = new Web(siteUrl); results = await web.lists .getById(listId).items .select('Title','File_x0020_Type', 'FileSystemObjectType','File/Name', 'File/ServerRelativeUrl', 'File/Title', 'File/Id', 'File/TimeLastModified') .top(numberImages) .expand('File') .filter((`File_x0020_Type eq 'jpg' or File_x0020_Type eq 'png' or File_x0020_Type eq 'jpeg' or File_x0020_Type eq 'gif' or File_x0020_Type eq 'mp4'`)) .orderBy('Modified', false) .usingCaching() .get(); } catch (error) { return Promise.reject(error); } return results; } public async getImagesNextPage(results: PagedItemCollection<any[]>): Promise<PagedItemCollection<any[]>> { return results.getNext(); } } ```
/content/code_sandbox/samples/react-multimedia-gallery/src/services/spservices.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
625
```xml export const x = 3; ```
/content/code_sandbox/test/main/__mocks__/ts-precompilation-deps-off-es/also-used.ts
xml
2016-11-20T20:05:37
2024-08-16T08:58:52
dependency-cruiser
sverweij/dependency-cruiser
5,116
8
```xml export * from './pop-menu'; ```
/content/code_sandbox/src/webviews/apps/shared/components/overlays/pop-menu/index.ts
xml
2016-08-08T14:50:30
2024-08-15T21:25:09
vscode-gitlens
gitkraken/vscode-gitlens
8,889
8
```xml <animated-vector xmlns:android="path_to_url" xmlns:aapt="path_to_url"> <aapt:attr name="android:drawable"> <vector android:width="300dp" android:height="208.333333dp" android:viewportHeight="1.25" android:viewportWidth="1.825"> <group android:scaleX="0.93" android:scaleY="0.93" android:translateX="0.025" android:translateY="0.025"> <path android:name="axes" android:pathData="v 1.25 h 1.5" android:strokeColor="?attr/colorControlNormal" android:strokeWidth="0.01"/> <group android:translateY="0.25"> <path android:name="noEasingPath" android:pathData="M 0,0 L 0.2,0 L 1.2,1 L 1.4,1" android:strokeColor="?attr/colorAccent" android:strokeLineCap="round" android:strokeWidth="0.02" android:trimPathEnd="0"/> <path android:name="withEasingPath" android:pathData="M 0,0 L 0.2,0 C 0.6,0 0.4,1 1.2,1 L 1.4,1" android:strokeColor="?attr/colorPrimary" android:strokeLineCap="round" android:strokeWidth="0.02" android:trimPathEnd="0"/> <group android:translateX="1.65"> <group android:name="noEasingDotGroup"> <path android:name="noEasingDot" android:fillColor="?attr/colorAccent" android:pathData="m -0.05,0 a 0.05,0.05 0 1,0 0.1,0 a 0.05,0.05 0 1,0 -0.1,0"/> </group> </group> <group android:translateX="1.85"> <group android:name="withEasingDotGroup"> <path android:name="withEasingDot" android:fillColor="?attr/colorPrimary" android:pathData="m -0.05,0 a 0.05,0.05 0 1,0 0.1,0 a 0.05,0.05 0 1,0 -0.1,0"/> </group> </group> </group> </group> </vector> </aapt:attr> <target android:name="noEasingDotGroup"> <aapt:attr name="android:animation"> <objectAnimator android:duration="1000" android:interpolator="@android:interpolator/linear" android:pathData="L 0.2,0 L 1.2,1 L 1.4,1" android:propertyYName="translateY"/> </aapt:attr> </target> <target android:name="withEasingDotGroup"> <aapt:attr name="android:animation"> <objectAnimator android:duration="1000" android:interpolator="@android:interpolator/linear" android:pathData="L 0.2,0 C 0.2,0 0.4,1 1.2,1 L 1.4,1" android:propertyYName="translateY"/> </aapt:attr> </target> <target android:name="noEasingPath"> <aapt:attr name="android:animation"> <objectAnimator android:duration="1000" android:interpolator="@android:interpolator/linear" android:pathData="L 1,0" android:propertyXName="trimPathEnd"/> </aapt:attr> </target> <target android:name="withEasingPath"> <aapt:attr name="android:animation"> <objectAnimator android:duration="1000" android:interpolator="@android:interpolator/linear" android:pathData="L 1,0" android:propertyXName="trimPathEnd"/> </aapt:attr> </target> </animated-vector> ```
/content/code_sandbox/app/src/main/res/drawable/avd_curvedmotion.xml
xml
2016-11-04T14:23:35
2024-08-12T07:50:44
adp-delightful-details
alexjlockwood/adp-delightful-details
1,070
974
```xml import { IButtonMutateProps, IFormProps } from '@erxes/ui/src/types'; import Button from '@erxes/ui/src/components/Button'; import ControlLabel from '@erxes/ui/src/components/form/Label'; import Form from '@erxes/ui/src/components/form/Form'; import FormControl from '@erxes/ui/src/components/form/Control'; import FormGroup from '@erxes/ui/src/components/form/Group'; import { ModalFooter } from '@erxes/ui/src/styles/main'; import React from 'react'; import SelectBrand from '@erxes/ui-inbox/src/settings/integrations/containers/SelectBrand'; import SelectChannels from '@erxes/ui-inbox/src/settings/integrations/containers/SelectChannels'; import Accounts from '../containers/Accounts'; type Props = { renderButton: (props: IButtonMutateProps) => JSX.Element; callback: () => void; onChannelChange: () => void; channelIds: string[]; }; type State = { accountId: string; }; class IntegrationForm extends React.Component<Props, State> { constructor(props: Props) { super(props) this.state = { accountId: "" } } onSelectAccount = (accountId: string) => { this.setState({ accountId }); } generateDoc = (values: { name: string; brandId: string; }) => { return { name: values.name, brandId: values.brandId, kind: '{name}', accountId: this.state.accountId }; }; renderField = ({ label, fieldName, formProps }: { label: string; fieldName: string; formProps: IFormProps; }) => { return ( <FormGroup> <ControlLabel required={true}>{label}</ControlLabel> <FormControl {...formProps} name={fieldName} required={true} autoFocus={fieldName === 'name'} /> </FormGroup> ); }; renderContent = (formProps: IFormProps) => { const { renderButton, callback, onChannelChange, channelIds } = this.props; const { values, isSubmitted } = formProps; return ( <> {this.renderField({ label: 'Name', fieldName: 'name', formProps })} <SelectBrand isRequired={true} formProps={formProps} description={( 'Which specific Brand does this integration belong to?' )} /> <SelectChannels defaultValue={channelIds} isRequired={true} onChange={onChannelChange} /> <Accounts onSelectAccount={this.onSelectAccount} accountId={this.state.accountId} /> <ModalFooter> <Button btnStyle="simple" type="button" onClick={callback} icon="times-circle" > Cancel </Button> {renderButton({ values: this.generateDoc(values), isSubmitted, callback })} </ModalFooter> </> ); }; render() { return <Form renderContent={this.renderContent} />; } } export default IntegrationForm; ```
/content/code_sandbox/packages/template.plugin.ui/source-integration/components/IntegrationForm.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
672
```xml /* This file is a part of @mdn/browser-compat-data * See LICENSE file for more information. */ import chalk from 'chalk-template'; import { Linter, Logger, LinterData, IS_WINDOWS, indexToPos, indexToPosRaw, } from '../utils.js'; interface LinkError { issue: string; pos: [number, number] | [null, null]; posString: string; actual: string; expected?: string; } /** * Given a RegEx expression, test the link for errors * @param errors The errors object to push the new errors to * @param actual The link to test * @param regexp The regex to test with * @param matchHandler The callback */ const processLink = ( errors: LinkError[], actual: string, regexp: string | RegExp, matchHandler: (match: RegExpMatchArray) => { issue: string; expected?: string; actualLink?: string; } | null, ): void => { const re = new RegExp(regexp, 'g'); let match; while ((match = re.exec(actual)) !== null) { const pos = indexToPosRaw(actual, match.index); const posString = indexToPos(actual, match.index); const result = matchHandler(match); if (result) { const { issue, expected, actualLink = match[0] } = result; errors.push({ issue: issue, pos: pos, posString: posString, actual: actualLink, expected: expected, }); } } }; /** * Process the data for any errors within the links * @param rawData The raw contents of the file to test * @returns A list of errors found in the links */ export const processData = (rawData: string): LinkError[] => { const errors: LinkError[] = []; let actual = rawData; // prevent false positives from git.core.autocrlf on Windows /* c8 ignore start */ if (IS_WINDOWS) { actual = actual.replace(/\r/g, ''); } /* c8 ignore stop */ processLink( // use path_to_url instead errors, actual, /https?:\/\/bugzilla\.mozilla\.org\/show_bug\.cgi\?id=(\d+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[1]}`, }), ); processLink( // use path_to_url instead errors, actual, /https?:\/\/(issues\.chromium\.org)\/issues\/(\d+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[2]}`, }), ); processLink( // use path_to_url instead errors, actual, /https?:\/\/(bugs\.chromium\.org|code\.google\.com)\/p\/chromium\/issues\/detail\?id=(\d+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[2]}`, }), ); processLink( // use path_to_url instead errors, actual, /https?:\/\/(bugs\.chromium\.org|code\.google\.com)\/p\/((?!chromium)\w+)\/issues\/detail\?id=(\d+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[2]}/${match[3]}`, }), ); processLink( // use path_to_url instead errors, actual, /https?:\/\/chromium\.googlesource\.com\/chromium\/src\/\+\/([\w\d]+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[1]}`, }), ); processLink( // use path_to_url instead errors, actual, /https?:\/\/bugs\.webkit\.org\/show_bug\.cgi\?id=(\d+)/g, (match) => ({ issue: 'Use shortenable URL', expected: `path_to_url{match[1]}`, }), ); processLink( // Bug links should use HTTPS and have "bug ###" as link text ("Bug ###" only at the beginning of notes/sentences). errors, actual, /(\w*\s?)<a href='((https?):\/\/(bugzil\.la|crbug\.com|webkit\.org\/b)\/(\d+))'>(.*?)<\/a>/g, (match) => { const [, before, url, protocol, domain, bugId, linkText] = match; if (protocol !== 'https') { return { issue: 'Use HTTPS for bug links', expected: `path_to_url{domain}/${bugId}`, actualLink: url, }; } if (/^bug $/.test(before)) { return { issue: 'Move word "bug" into link text', expected: `<a href='${url}'>${before}${bugId}</a>`, actualLink: `${before}<a href='${url}'>${linkText}</a>`, }; } else if (linkText === `Bug ${bugId}`) { if (!/(\. |")$/.test(before)) { return { issue: 'Use lowercase "bug" word within sentence', expected: `bug ${bugId}`, actualLink: `Bug ${bugId}`, }; } } else if (linkText !== `bug ${bugId}`) { return { issue: 'Use standard link text', expected: `bug ${bugId}`, actualLink: linkText, }; } return null; }, ); processLink( errors, actual, /(https?):\/\/((?:[a-z][a-z0-9-]*\.)*)?developer.mozilla.org\/(.*?)(?=["'\s])/g, (match) => { const [, protocol, subdomain, path] = match; if (protocol !== 'https') { return { issue: 'Use HTTPS MDN URL', expected: `path_to_url{path}`, }; } if (subdomain) { return { issue: 'Use correct MDN domain', expected: `path_to_url{path}`, }; } if (!path.startsWith('docs/')) { const pathMatch = /^(?:(\w\w(?:-\w\w)?)\/)?(.*)$/.exec(path); if (pathMatch) { return { issue: 'Use non-localized MDN URL', expected: `path_to_url{pathMatch[2]}`, }; } return { issue: 'MDN URL is invalid', }; } return null; }, ); processLink( errors, actual, /https?:\/\/developer.microsoft.com\/(\w\w-\w\w)\/(.*?)(?=["'\s])/g, (match) => ({ issue: 'Use non-localized Microsoft Developer URL', expected: `path_to_url{match[2]}`, }), ); processLink( errors, actual, /<a href='([^'>]+)'>((?:.(?<!<\/a>))*.)<\/a>/g, (match) => { if (new URL(match[1]).hostname === null) { return { issue: 'Include hostname in URL', actualLink: match[1], expected: `path_to_url{match[1]}`, }; } return null; }, ); return errors; }; export default { name: 'Links', description: 'Test links in the file to ensure they conform to BCD guidelines', scope: 'file', /** * Test the data * @param logger The logger to output errors to * @param root The data to test * @param root.rawdata The raw contents of the file to test */ check: (logger: Logger, { rawdata }: LinterData) => { const errors = processData(rawdata); for (const error of errors) { logger.error( chalk`${error.posString} ${error.issue} ({yellow ${error.actual}} {green ${error.expected}}).`, { fixable: true }, ); } }, } as Linter; ```
/content/code_sandbox/lint/linter/test-links.ts
xml
2016-03-29T18:50:07
2024-08-16T11:36:33
browser-compat-data
mdn/browser-compat-data
4,876
1,883
```xml <Project> <!-- Fingerprinting patterns for content. By default (most common case), we check for a single extension, like .js or .css. In that situation we apply the fingerprint expression directly to the file name, like app.js -> app#[.{fingerprint}].js. If we detect more than one extension, for example, Rcl.lib.module.js or Rcl.Razor.js, we retrieve the last extension and check for a mapping in the list below. If we find a match, we apply the fingerprint expression to the file name, like Rcl.lib.module.js -> Rcl#[.{fingerprint}].lib.module.js. If we don't find a match, we add the extension to the name and continue matching against the next segment, like Rcl.Razor.js -> Rcl.Razor#[.{fingerprint}].js. If we don't find a match, we apply the fingerprint before the first extension, like Rcl.Razor.js -> Rcl.Razor#[.{fingerprint}].js. --> <ItemGroup> <StaticWebAssetFingerprintPattern Include="Initializer" Pattern="*.lib.module.js" Expression="#[.{fingerprint}]!" /> <StaticWebAssetFingerprintPattern Include="MvcJsModule" Pattern="*.cshtml.js" /> <StaticWebAssetFingerprintPattern Include="ComponentsJsModule" Pattern="*.razor.js" /> <StaticWebAssetFingerprintPattern Include="MvcScopedCss" Pattern="*.cshtml.css" /> <StaticWebAssetFingerprintPattern Include="ComponentsScopedCss" Pattern="*.razor.css" /> <StaticWebAssetFingerprintPattern Include="JsModuleManifest" Pattern="*.modules.json" /> </ItemGroup> </Project> ```
/content/code_sandbox/src/StaticWebAssetsSdk/Targets/Microsoft.NET.Sdk.StaticWebAssets.FingerprintingPatterns.props
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
372
```xml <!-- path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <com.flipboard.bottomsheet.BottomSheetLayout xmlns:android="path_to_url" xmlns:app="path_to_url" android:id="@+id/bottomsheet" android:layout_width="match_parent" android:layout_height="match_parent" android:keepScreenOn="true"> <FrameLayout android:orientation="vertical" android:layout_width="match_parent" android:id="@+id/background" android:layout_height="match_parent" android:gravity="center" android:background="@android:color/black" > <FrameLayout android:id="@+id/fragment" android:paddingTop="24dp" android:layout_width="match_parent" android:layout_height="match_parent" /> <androidx.appcompat.widget.Toolbar android:id="@+id/toolbar" android:layout_width="match_parent" android:layout_height="?attr/actionBarSize" android:background="@android:color/transparent" app:popupTheme="@style/ThemeOverlay.AppCompat" /> </FrameLayout> </com.flipboard.bottomsheet.BottomSheetLayout> ```
/content/code_sandbox/app/src/main/res/layout/video_view_activity.xml
xml
2016-07-08T03:18:40
2024-08-14T02:54:51
talon-for-twitter-android
klinker24/talon-for-twitter-android
1,189
275
```xml import * as React from 'react'; import { CSSModule } from './utils'; export interface ButtonGroupProps extends React.HTMLAttributes<HTMLElement> { [key: string]: any; tag?: React.ElementType; cssModule?: CSSModule; size?: string; vertical?: boolean; } declare class ButtonGroup extends React.Component<ButtonGroupProps> {} export default ButtonGroup; ```
/content/code_sandbox/types/lib/ButtonGroup.d.ts
xml
2016-02-19T08:01:36
2024-08-16T11:48:48
reactstrap
reactstrap/reactstrap
10,591
81
```xml import dedent from 'dedent-js'; import { FormatFn } from '../../src/sqlFormatter.js'; export default function supportsSchema(format: FormatFn) { it('formats simple SET SCHEMA statements', () => { const result = format('SET SCHEMA schema1;'); expect(result).toBe(dedent` SET SCHEMA schema1; `); }); } ```
/content/code_sandbox/test/features/schema.ts
xml
2016-09-12T13:09:04
2024-08-16T10:30:12
sql-formatter
sql-formatter-org/sql-formatter
2,272
80
```xml /* * one or more contributor license agreements. See the NOTICE file distributed * with this work for additional information regarding copyright ownership. */ import { createVariableFieldName, createNewVariableFieldName, } from './createVariableFieldName'; describe('createVariableFieldName', () => { it('should create variable field name', () => { expect(createVariableFieldName('someVariableName')).toBe( '#someVariableName', ); }); it('should create new variable field name', () => { expect(createNewVariableFieldName('newVariables[0]', 'name')).toBe( 'newVariables[0].name', ); expect(createNewVariableFieldName('newVariables[0]', 'value')).toBe( 'newVariables[0].value', ); }); }); ```
/content/code_sandbox/tasklist/client/src/Tasks/Task/Variables/createVariableFieldName.test.tsx
xml
2016-03-20T03:38:04
2024-08-16T19:59:58
camunda
camunda/camunda
3,172
163
```xml import { SupportOptionRange } from 'prettier'; import { Object } from 'ts-toolbelt'; import { BaseRO } from './base.define'; export enum PolicyType { NONE, FULL_MASKING, PARTIAL_MASKING, FAKE_DATA, } export type PolicyRulePayloadInput = { type: 'input'; length: number; label: string; defaultValue?: string | number; }; export type PolicyRulePayloadSelect = { type: 'select'; options: string[]; label: string; defaultValue?: string | number; }; export type PolicyRulePayload = Record< string, PolicyRulePayloadInput | PolicyRulePayloadSelect | string | number >; export type PolicyRuleRO = BaseRO & { type: PolicyType; name: string; payload?: PolicyRulePayload[]; tags: string[]; }; export type StrictPolicyRuleRO = Object.Required< PolicyRuleRO, 'id' | 'creationDate' >; export const fakerOptions = [ 'name.firstName', 'name.middleName', 'name.lastName', 'name.fullName', 'name.jobArea', 'name.jobDescriptor', 'name.jobTitle', 'name.jobType', 'address.country', 'address.countryCode', 'address.city', 'address.streetAddress', 'address.zipCode', 'address.buildingNumber', 'address.cardinalDirection', 'address.county', 'address.latitude', 'address.longitude', 'address.secondaryAddress', 'address.state', 'address.street', 'address.timeZone', 'internet.email', 'internet.userName', 'internet.password', 'date.birthdate', 'datatype.uuid', 'date.soon', 'date.future', 'date.past', 'date.month', 'date.weekday', 'phone.number', 'phone.imei', 'lorem.paragraph', 'lorem.lines', 'lorem.sentence', 'lorem.slug', 'lorem.text', 'name.sex', 'address.nearbyGPSCoordinate', 'internet.ipv4', 'internet.ipv6', 'internet.mac', 'internet.port', 'internet.url', 'internet.userAgent', 'internet.domainName', 'internet.domainSuffix', 'internet.emoji', 'system.fileName', 'system.commonFileExt', 'system.commonFileName', 'system.commonFileType', 'system.cron', 'system.directoryPath', 'system.filePath', 'system.mimeType', 'system.semver', 'datatype.number', 'datatype.string', 'datatype.json', 'datatype.hexadecimal', 'datatype.float', 'datatype.datetime', 'datatype.boolean', 'datatype.array', 'finance.account', 'finance.accountName', 'finance.pin', 'finance.routingNumber', 'finance.transactionDescription', 'finance.transactionType', 'finance.bic', 'finance.iban', 'finance.bitcoinAddress', 'finance.ethereumAddress', 'finance.litecoinAddress', 'finance.creditCardCVV', 'finance.creditCardIssuer', 'finance.creditCardNumber', 'finance.currencyCode', 'finance.currencyName', 'finance.currencySymbol', 'image.abstract', 'image.animals', 'image.avatar', 'image.business', 'image.city', 'image.image', 'music.genre', 'music.songName', 'commerce.department', 'commerce.price', 'commerce.product', 'commerce.productDescription', 'commerce.productMaterial', 'commerce.color', ]; export const PolicyRuleTemplates: PolicyRuleRO[] = [ { type: PolicyType.FULL_MASKING, name: 'Full Masking', payload: [ { char: { type: 'input', length: 1, label: 'Mask with', defaultValue: '#', }, }, ], tags: [], }, { type: PolicyType.PARTIAL_MASKING, name: 'Mask # of Char', payload: [ { char: { type: 'input', length: 1, label: 'Mask with', defaultValue: '#', }, }, { numToMask: { type: 'input', length: 3, label: '# of chars to mask', defaultValue: 1, }, }, { dir: { type: 'select', label: 'Direction', defaultValue: 'left', options: ['left', 'right'], }, }, ], tags: [], }, { type: PolicyType.FAKE_DATA, name: 'Fake Data', payload: [ { faker: { type: 'select', label: 'Fake value', defaultValue: 'firstName', options: fakerOptions, }, }, ], tags: [], }, ]; ```
/content/code_sandbox/src/renderer/defenitions/record-object/policy.define.ts
xml
2016-05-14T02:18:49
2024-08-16T02:46:28
ElectroCRUD
garrylachman/ElectroCRUD
1,538
1,067
```xml import { expect, use } from 'chai'; import * as chaiAsPromised from 'chai-as-promised'; import * as sinon from 'sinon'; import { SemVer } from 'semver'; import * as TypeMoq from 'typemoq'; import { IFileSystem } from '../../../client/common/platform/types'; import { createCondaEnv, createPythonEnv, createMicrosoftStoreEnv, } from '../../../client/common/process/pythonEnvironment'; import { IProcessService, StdErrError } from '../../../client/common/process/types'; import { Architecture } from '../../../client/common/utils/platform'; import { Conda } from '../../../client/pythonEnvironments/common/environmentManagers/conda'; import { OUTPUT_MARKER_SCRIPT } from '../../../client/common/process/internal/scripts'; use(chaiAsPromised); suite('PythonEnvironment', () => { let processService: TypeMoq.IMock<IProcessService>; let fileSystem: TypeMoq.IMock<IFileSystem>; const pythonPath = 'path/to/python'; setup(() => { processService = TypeMoq.Mock.ofType<IProcessService>(undefined, TypeMoq.MockBehavior.Strict); fileSystem = TypeMoq.Mock.ofType<IFileSystem>(undefined, TypeMoq.MockBehavior.Strict); }); test('getInterpreterInformation should return an object if the python path is valid', async () => { const json = { versionInfo: [3, 7, 5, 'candidate', 1], sysPrefix: '/path/of/sysprefix/versions/3.7.5rc1', version: '3.7.5rc1 (default, Oct 18 2019, 14:48:48) \n[Clang 11.0.0 (clang-1100.0.33.8)]', is64Bit: true, }; processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: JSON.stringify(json), }), ); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); const expectedResult = { architecture: Architecture.x64, path: pythonPath, version: new SemVer('3.7.5-candidate1'), sysPrefix: json.sysPrefix, sysVersion: undefined, }; expect(result).to.deep.equal(expectedResult, 'Incorrect value returned by getInterpreterInformation().'); }); test('getInterpreterInformation should return an object if the version info contains less than 5 items', async () => { const json = { versionInfo: [3, 7, 5, 'alpha'], sysPrefix: '/path/of/sysprefix/versions/3.7.5a1', version: '3.7.5a1 (default, Oct 18 2019, 14:48:48) \n[Clang 11.0.0 (clang-1100.0.33.8)]', is64Bit: true, }; processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: JSON.stringify(json), }), ); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); const expectedResult = { architecture: Architecture.x64, path: pythonPath, version: new SemVer('3.7.5-alpha'), sysPrefix: json.sysPrefix, sysVersion: undefined, }; expect(result).to.deep.equal( expectedResult, 'Incorrect value returned by getInterpreterInformation() with truncated versionInfo.', ); }); test('getInterpreterInformation should return an object if the version info contains less than 4 items', async () => { const json = { versionInfo: [3, 7, 5], sysPrefix: '/path/of/sysprefix/versions/3.7.5rc1', version: '3.7.5rc1 (default, Oct 18 2019, 14:48:48) \n[Clang 11.0.0 (clang-1100.0.33.8)]', is64Bit: true, }; processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: JSON.stringify(json), }), ); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); const expectedResult = { architecture: Architecture.x64, path: pythonPath, version: new SemVer('3.7.5'), sysPrefix: json.sysPrefix, sysVersion: undefined, }; expect(result).to.deep.equal( expectedResult, 'Incorrect value returned by getInterpreterInformation() with truncated versionInfo.', ); }); test('getInterpreterInformation should return an object with the architecture value set to x86 if json.is64bit is not 64bit', async () => { const json = { versionInfo: [3, 7, 5, 'candidate'], sysPrefix: '/path/of/sysprefix/versions/3.7.5rc1', version: '3.7.5rc1 (default, Oct 18 2019, 14:48:48) \n[Clang 11.0.0 (clang-1100.0.33.8)]', is64Bit: false, }; processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: JSON.stringify(json), }), ); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); const expectedResult = { architecture: Architecture.x86, path: pythonPath, version: new SemVer('3.7.5-candidate'), sysPrefix: json.sysPrefix, sysVersion: undefined, }; expect(result).to.deep.equal( expectedResult, 'Incorrect value returned by getInterpreterInformation() for x86b architecture.', ); }); test('getInterpreterInformation should error out if interpreterInfo.py times out', async () => { processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.reject(new Error('timed out'))); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); expect(result).to.equal( undefined, 'getInterpreterInfo() should return undefined because interpreterInfo timed out.', ); }); test('getInterpreterInformation should return undefined if the json value returned by interpreterInfo.py is not valid', async () => { processService .setup((p) => p.shellExec(TypeMoq.It.isAny(), TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: 'bad json' })); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getInterpreterInformation(); expect(result).to.equal(undefined, 'getInterpreterInfo() should return undefined because of bad json.'); }); test('getExecutablePath should return pythonPath if pythonPath is a file', async () => { fileSystem.setup((f) => f.pathExists(pythonPath)).returns(() => Promise.resolve(true)); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getExecutablePath(); expect(result).to.equal(pythonPath, "getExecutablePath() sbould return pythonPath if it's a file"); }); test('getExecutablePath should not return pythonPath if pythonPath is not a file', async () => { const executablePath = 'path/to/dummy/executable'; fileSystem.setup((f) => f.pathExists(pythonPath)).returns(() => Promise.resolve(false)); processService .setup((p) => p.shellExec(`${pythonPath} -c "import sys;print(sys.executable)"`, TypeMoq.It.isAny())) .returns(() => Promise.resolve({ stdout: executablePath })); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getExecutablePath(); expect(result).to.equal(executablePath, "getExecutablePath() sbould not return pythonPath if it's not a file"); }); test('getExecutablePath should return `undefined` if the result of exec() writes to stderr', async () => { const stderr = 'bar'; fileSystem.setup((f) => f.pathExists(pythonPath)).returns(() => Promise.resolve(false)); processService .setup((p) => p.shellExec(`${pythonPath} -c "import sys;print(sys.executable)"`, TypeMoq.It.isAny())) .returns(() => Promise.reject(new StdErrError(stderr))); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.getExecutablePath(); expect(result).to.be.equal(undefined); }); test('isModuleInstalled should call processService.exec()', async () => { const moduleName = 'foo'; const argv = ['-c', `import ${moduleName}`]; processService .setup((p) => p.exec(pythonPath, argv, { throwOnStdErr: true })) .returns(() => Promise.resolve({ stdout: '' })) .verifiable(TypeMoq.Times.once()); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); await env.isModuleInstalled(moduleName); processService.verifyAll(); }); test('isModuleInstalled should return true when processService.exec() succeeds', async () => { const moduleName = 'foo'; const argv = ['-c', `import ${moduleName}`]; processService .setup((p) => p.exec(pythonPath, argv, { throwOnStdErr: true })) .returns(() => Promise.resolve({ stdout: '' })); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.isModuleInstalled(moduleName); expect(result).to.equal(true, 'isModuleInstalled() should return true if the module exists'); }); test('isModuleInstalled should return false when processService.exec() throws', async () => { const moduleName = 'foo'; const argv = ['-c', `import ${moduleName}`]; processService .setup((p) => p.exec(pythonPath, argv, { throwOnStdErr: true })) .returns(() => Promise.reject(new StdErrError('bar'))); const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = await env.isModuleInstalled(moduleName); expect(result).to.equal(false, 'isModuleInstalled() should return false if the module does not exist'); }); test('getExecutionInfo should return pythonPath and the execution arguments as is', () => { const args = ['-a', 'b', '-c']; const env = createPythonEnv(pythonPath, processService.object, fileSystem.object); const result = env.getExecutionInfo(args); expect(result).to.deep.equal( { command: pythonPath, args, python: [pythonPath], pythonExecutable: pythonPath }, 'getExecutionInfo should return pythonPath and the command and execution arguments as is', ); }); }); suite('CondaEnvironment', () => { let processService: TypeMoq.IMock<IProcessService>; let fileSystem: TypeMoq.IMock<IFileSystem>; const args = ['-a', 'b', '-c']; const pythonPath = 'path/to/python'; const condaFile = 'path/to/conda'; setup(() => { sinon.stub(Conda, 'getConda').resolves(new Conda(condaFile)); sinon.stub(Conda.prototype, 'getInterpreterPathForEnvironment').resolves(pythonPath); processService = TypeMoq.Mock.ofType<IProcessService>(undefined, TypeMoq.MockBehavior.Strict); fileSystem = TypeMoq.Mock.ofType<IFileSystem>(undefined, TypeMoq.MockBehavior.Strict); }); teardown(() => sinon.restore()); test('getExecutionInfo with a named environment should return execution info using the environment name', async () => { const condaInfo = { name: 'foo', path: 'bar' }; const env = await createCondaEnv(condaInfo, processService.object, fileSystem.object); const result = env?.getExecutionInfo(args, pythonPath); expect(result).to.deep.equal({ command: condaFile, args: ['run', '-n', condaInfo.name, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT, ...args], python: [condaFile, 'run', '-n', condaInfo.name, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT], pythonExecutable: pythonPath, }); }); test('getExecutionInfo with a non-named environment should return execution info using the environment path', async () => { const condaInfo = { name: '', path: 'bar' }; const env = await createCondaEnv(condaInfo, processService.object, fileSystem.object); const result = env?.getExecutionInfo(args, pythonPath); expect(result).to.deep.equal({ command: condaFile, args: ['run', '-p', condaInfo.path, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT, ...args], python: [condaFile, 'run', '-p', condaInfo.path, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT], pythonExecutable: pythonPath, }); }); test('getExecutionObservableInfo with a named environment should return execution info using conda full path with the name', async () => { const condaInfo = { name: 'foo', path: 'bar' }; const expected = { command: condaFile, args: ['run', '-n', condaInfo.name, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT, ...args], python: [condaFile, 'run', '-n', condaInfo.name, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT], pythonExecutable: pythonPath, }; const env = await createCondaEnv(condaInfo, processService.object, fileSystem.object); const result = env?.getExecutionObservableInfo(args, pythonPath); expect(result).to.deep.equal(expected); }); test('getExecutionObservableInfo with a non-named environment should return execution info using conda full path', async () => { const condaInfo = { name: '', path: 'bar' }; const expected = { command: condaFile, args: ['run', '-p', condaInfo.path, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT, ...args], python: [condaFile, 'run', '-p', condaInfo.path, '--no-capture-output', 'python', OUTPUT_MARKER_SCRIPT], pythonExecutable: pythonPath, }; const env = await createCondaEnv(condaInfo, processService.object, fileSystem.object); const result = env?.getExecutionObservableInfo(args, pythonPath); expect(result).to.deep.equal(expected); }); }); suite('MicrosoftStoreEnvironment', () => { let processService: TypeMoq.IMock<IProcessService>; const pythonPath = 'foo'; setup(() => { processService = TypeMoq.Mock.ofType<IProcessService>(undefined, TypeMoq.MockBehavior.Strict); }); test('Should return pythonPath if it is the path to the microsoft store interpreter', async () => { const env = createMicrosoftStoreEnv(pythonPath, processService.object); const executablePath = await env.getExecutablePath(); expect(executablePath).to.equal(pythonPath); processService.verifyAll(); }); }); ```
/content/code_sandbox/src/test/common/process/pythonEnvironment.unit.test.ts
xml
2016-01-19T10:50:01
2024-08-12T21:05:24
pythonVSCode
DonJayamanne/pythonVSCode
2,078
3,523
```xml import { Localized } from "@fluent/react/compat"; import React, { FunctionComponent } from "react"; import styles from "./UsernameChangeAction.css"; export interface UsernameChangeActionProps { username: string; prevUsername: string | null; } const SuspensionAction: FunctionComponent<UsernameChangeActionProps> = ({ username, prevUsername, }) => { return ( <div className={styles.usernameCell}> <Localized id="moderate-user-drawer-username-change"> <div>Username change</div> </Localized> <div> <Localized id="moderate-user-drawer-username-change-new"> <span className={styles.tableLight}>New: </span> </Localized>{" "} {username} </div> {prevUsername && ( <div> <Localized id="moderate-user-drawer-username-change-old"> <span className={styles.tableLight}>Old: </span> </Localized>{" "} {prevUsername} </div> )} </div> ); }; export default SuspensionAction; ```
/content/code_sandbox/client/src/core/client/admin/components/UserHistoryDrawer/UsernameChangeAction.tsx
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
231
```xml // *** WARNING: this file was generated by test. *** // *** Do not edit by hand unless you're certain you know what you are doing! *** import * as pulumi from "@pulumi/pulumi"; import * as utilities from "./utilities"; export class Resource extends pulumi.CustomResource { /** * Get an existing Resource resource's state with the given name, ID, and optional extra * properties used to qualify the lookup. * * @param name The _unique_ name of the resulting resource. * @param id The _unique_ provider ID of the resource to lookup. * @param opts Optional settings to control the behavior of the CustomResource. */ public static get(name: string, id: pulumi.Input<pulumi.ID>, opts?: pulumi.CustomResourceOptions): Resource { return new Resource(name, undefined as any, { ...opts, id: id }); } /** @internal */ public static readonly __pulumiType = 'example::Resource'; /** * Returns true if the given object is an instance of Resource. This is designed to work even * when multiple copies of the Pulumi SDK have been loaded into the same process. */ public static isInstance(obj: any): obj is Resource { if (obj === undefined || obj === null) { return false; } return obj['__pulumiType'] === Resource.__pulumiType; } public readonly bar!: pulumi.Output<string | undefined>; /** * Create a Resource resource with the given unique name, arguments, and options. * * @param name The _unique_ name of the resource. * @param args The arguments to use to populate this resource's properties. * @param opts A bag of options that control this resource's behavior. */ constructor(name: string, args?: ResourceArgs, opts?: pulumi.CustomResourceOptions) { let resourceInputs: pulumi.Inputs = {}; opts = opts || {}; if (!opts.id) { resourceInputs["bar"] = args ? args.bar : undefined; } else { resourceInputs["bar"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); super(Resource.__pulumiType, name, resourceInputs, opts); } } /** * The set of arguments for constructing a Resource resource. */ export interface ResourceArgs { bar?: pulumi.Input<string>; } ```
/content/code_sandbox/tests/testdata/codegen/simple-resource-schema-custom-pypackage-name/nodejs/resource.ts
xml
2016-10-31T21:02:47
2024-08-16T19:47:04
pulumi
pulumi/pulumi
20,743
511
```xml <?xml version="1.0" encoding="UTF-8"?> <project xmlns="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url"> <modelVersion>4.0.0</modelVersion> <artifactId>microservice-consumer-movie-feign-with-hystrix</artifactId> <packaging>jar</packaging> <parent> <groupId>com.itmuch.cloud</groupId> <artifactId>spring-cloud-microservice-study</artifactId> <version>0.0.1-SNAPSHOT</version> </parent> <dependencies> <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-eureka</artifactId> </dependency> <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-feign</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-actuator</artifactId> </dependency> </dependencies> </project> ```
/content/code_sandbox/2016-Brixton/microservice-consumer-movie-feign-with-hystrix/pom.xml
xml
2016-08-26T09:35:58
2024-08-12T06:14:53
spring-cloud-study
eacdy/spring-cloud-study
1,042
250
```xml /** * @file Auth service * @module module/auth/service */ import _isEqual from 'lodash/isEqual' import { Injectable } from '@nestjs/common' import { JwtService } from '@nestjs/jwt' import { UNDEFINED } from '@app/constants/value.constant' import { InjectModel } from '@app/transformers/model.transformer' import { decodeBase64, decodeMD5 } from '@app/transformers/codec.transformer' import { MongooseModel } from '@app/interfaces/mongoose.interface' import { TokenResult } from './auth.interface' import { Admin, DEFAULT_ADMIN_PROFILE } from './auth.model' import { AdminUpdateDTO } from './auth.dto' import * as APP_CONFIG from '@app/app.config' @Injectable() export class AuthService { constructor( private readonly jwtService: JwtService, @InjectModel(Admin) private readonly authModel: MongooseModel<Admin> ) {} private async getExistedPassword(): Promise<string> { const auth = await this.authModel.findOne(UNDEFINED, '+password').exec() return auth?.password || decodeMD5(APP_CONFIG.AUTH.defaultPassword as string) } public validateAuthData(payload: any): Promise<any> { const isVerified = _isEqual(payload.data, APP_CONFIG.AUTH.data) return isVerified ? payload.data : null } public createToken(): TokenResult { return { access_token: this.jwtService.sign({ data: APP_CONFIG.AUTH.data }), expires_in: APP_CONFIG.AUTH.expiresIn as number } } public async adminLogin(password: string): Promise<TokenResult> { const existedPassword = await this.getExistedPassword() const loginPassword = decodeMD5(decodeBase64(password)) if (loginPassword === existedPassword) { return this.createToken() } else { throw 'Password incorrect' } } public async getAdminProfile(): Promise<Admin> { const adminProfile = await this.authModel.findOne(UNDEFINED, '-_id').exec() return adminProfile ? adminProfile.toObject() : DEFAULT_ADMIN_PROFILE } public async putAdminProfile(adminProfile: AdminUpdateDTO): Promise<Admin> { const { password, new_password, ...restData } = adminProfile const targetPayload: Admin = { ...restData } // verify password if (password || new_password) { if (!password || !new_password) { throw 'Incomplete passwords' } if (password === new_password) { throw 'Old password and new password cannot be the same' } // update password const oldPassword = decodeMD5(decodeBase64(password)) const existedPassword = await this.getExistedPassword() if (oldPassword !== existedPassword) { throw 'Old password incorrect' } else { targetPayload.password = decodeMD5(decodeBase64(new_password)) } } // save const existedAuth = await this.authModel.findOne(UNDEFINED, '+password').exec() if (existedAuth) { await Object.assign(existedAuth, targetPayload).save() } else { await this.authModel.create(targetPayload) } return this.getAdminProfile() } } ```
/content/code_sandbox/src/modules/auth/auth.service.ts
xml
2016-02-13T08:16:02
2024-08-12T08:34:20
nodepress
surmon-china/nodepress
1,421
683
```xml import React, { Fragment } from 'react'; import { Trans } from 'react-i18next'; import { HashLink as Link } from 'react-router-hash-link'; import Card from '../ui/Card'; const Disabled = () => ( <Fragment> <div className="page-header"> <h1 className="page-title page-title--large"> <Trans>query_log</Trans> </h1> </div> <Card> <div className="lead text-center py-6"> <Trans components={[ <Link to="/settings#logs-config" key="0"> link </Link>, ]}> query_log_disabled </Trans> </div> </Card> </Fragment> ); export default Disabled; ```
/content/code_sandbox/client/src/components/Logs/Disabled.tsx
xml
2016-07-06T10:31:47
2024-08-16T18:17:06
AdGuardHome
AdguardTeam/AdGuardHome
24,082
165
```xml <!-- Whenever altering this or other Source Build files, please include @dotnet/source-build-internal as a reviewer. --> <!-- See aka.ms/dotnet/prebuilts for guidance on what pre-builts are and how to eliminate them. --> <UsageData> <IgnorePatterns> <!-- TODO: Ignore needed until path_to_url is addressed. --> <UsagePattern IdentityGlob="Nuget.*/*" /> <UsagePattern IdentityGlob="Microsoft.Build.NuGetSdkResolver/*" /> <!-- These are coming in transitively from verious repos (aspnetcore & format). Needs evaluation. path_to_url --> <UsagePattern IdentityGlob="Microsoft.CodeAnalysis.AnalyzerUtilities/*3.3.0*" /> <UsagePattern IdentityGlob="System.Text.Json/*8.0.0*" /> <UsagePattern IdentityGlob="System.Text.Encodings.Web/*8.0.0*" /> <!-- These are upgraded to latest versions in product build and can be baselined for repo build --> <UsagePattern IdentityGlob="Microsoft.Build/*16.11.0*" /> <UsagePattern IdentityGlob="Microsoft.Build.Framework/*16.11.0*" /> <UsagePattern IdentityGlob="Microsoft.Build.Tasks.Core/*16.11.0*" /> <UsagePattern IdentityGlob="Microsoft.Build.Utilities.Core/*16.11.0*" /> <UsagePattern IdentityGlob="Microsoft.Extensions.FileProviders.Abstractions/*6.0.0*" /> <UsagePattern IdentityGlob="Microsoft.Extensions.FileSystemGlobbing/*6.0.0*" /> <UsagePattern IdentityGlob="Microsoft.NET.StringTools/17.7.2" /> <UsagePattern IdentityGlob="Microsoft.VisualStudio.Setup.Configuration.Interop/3.2.2146" /> <UsagePattern IdentityGlob="System.Collections.Immutable/8.0.0" /> <UsagePattern IdentityGlob="System.CommandLine.Rendering/0.4.0-alpha.24112.1" /> <UsagePattern IdentityGlob="System.Composition/*8.0.0*" /> <UsagePattern IdentityGlob="System.Composition.AttributedModel/*7.0.0*" /> <UsagePattern IdentityGlob="System.Configuration.ConfigurationManager/*7.0.0*" /> <UsagePattern IdentityGlob="System.Composition.Convention/*7.0.0*" /> <UsagePattern IdentityGlob="System.Composition.Hosting/*7.0.0*" /> <UsagePattern IdentityGlob="System.Composition.Runtime/*7.0.0*" /> <UsagePattern IdentityGlob="System.Composition.TypedParts/*7.0.0*" /> <UsagePattern IdentityGlob="System.Diagnostics.EventLog/*7.0.0*" /> <UsagePattern IdentityGlob="System.Formats.Asn1/*8.0.1*" /> <UsagePattern IdentityGlob="System.Reflection.MetadataLoadContext/*7.0.0*" /> <UsagePattern IdentityGlob="System.Reflection.Metadata/8.0.0" /> <UsagePattern IdentityGlob="System.Security.Cryptography.ProtectedData/*7.0.0*" /> <!-- Transitive dependencies from roslyn --> <UsagePattern IdentityGlob="System.Diagnostics.EventLog/8.0.0" /> <UsagePattern IdentityGlob="Microsoft.Extensions.DependencyInjection/8.0.0" /> <UsagePattern IdentityGlob="Microsoft.Extensions.Options/8.0.0" /> <UsagePattern IdentityGlob="Microsoft.Extensions.Primitives/8.0.0" /> <!-- Used only for publishing --> <UsagePattern IdentityGlob="Microsoft.Net.Compilers.Toolset.Framework/*" /> <!-- These are coming in via runtime but the source-build infra isn't able to automatically pick up the right intermediate. --> <UsagePattern IdentityGlob="Microsoft.NETCore.App.Crossgen2.linux-x64/*9.0.*" /> <UsagePattern IdentityGlob="System.IO.Pipelines/*8.0.0*" /> <UsagePattern IdentityGlob="System.Threading.Tasks.Dataflow/*8.0.0*" /> </IgnorePatterns> </UsageData> ```
/content/code_sandbox/eng/SourceBuildPrebuiltBaseline.xml
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
884
```xml import type { RuleGroupArray, RuleGroupICArray, RuleGroupType, RuleGroupTypeIC, RuleType, } from '../types/index.noReact'; import { generateID } from './generateID'; import { isRuleGroup, isRuleGroupType } from './isRuleGroup'; import { isPojo } from './misc'; /** * Options object for {@link regenerateID}/{@link regenerateIDs}. */ export interface RegenerateIdOptions { idGenerator?: () => string; } /** * Generates a new `id` property for a rule. */ export const regenerateID = ( rule: RuleType, { idGenerator = generateID }: RegenerateIdOptions = {} ): RuleType => JSON.parse(JSON.stringify({ ...rule, id: idGenerator() })); /** * Recursively generates new `id` properties for a group and all its rules and subgroups. */ export const regenerateIDs = ( ruleOrGroup: RuleGroupType | RuleGroupTypeIC, { idGenerator = generateID }: RegenerateIdOptions = {} ): RuleGroupType | RuleGroupTypeIC => { if (!isPojo(ruleOrGroup)) return ruleOrGroup; if (!isRuleGroup(ruleOrGroup)) { return JSON.parse(JSON.stringify({ ...(ruleOrGroup as RuleType), id: idGenerator() })); } if (isRuleGroupType(ruleOrGroup)) { const rules = ruleOrGroup.rules.map(r => isRuleGroup(r) ? regenerateIDs(r, { idGenerator }) : regenerateID(r, { idGenerator }) ) as RuleGroupArray; return { ...ruleOrGroup, id: idGenerator(), rules }; } const rules = ruleOrGroup.rules.map(r => typeof r === 'string' ? r : isRuleGroup(r) ? regenerateIDs(r, { idGenerator }) : regenerateID(r, { idGenerator }) ) as RuleGroupICArray; return { ...ruleOrGroup, id: idGenerator(), rules }; }; ```
/content/code_sandbox/packages/react-querybuilder/src/utils/regenerateIDs.ts
xml
2016-06-17T22:03:19
2024-08-16T10:28:42
react-querybuilder
react-querybuilder/react-querybuilder
1,131
425
```xml <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>net6.0</TargetFramework> <OutputType>exe</OutputType> </PropertyGroup> </Project> ```
/content/code_sandbox/test/TestAssets/TestProjects/WatchApp60/WatchApp60.csproj
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
45
```xml import * as git from 'isomorphic-git'; import path from 'path'; import { afterAll, beforeAll, beforeEach, describe, expect, it, vi } from 'vitest'; import GitVCS, { GIT_CLONE_DIR, GIT_INSOMNIA_DIR } from '../git-vcs'; import { MemClient } from '../mem-client'; import { setupDateMocks } from './util'; describe('Git-VCS', () => { let fooTxt = ''; let barTxt = ''; beforeAll(() => { fooTxt = path.join(GIT_INSOMNIA_DIR, 'foo.txt'); barTxt = path.join(GIT_INSOMNIA_DIR, 'bar.txt'); }); afterAll(() => { vi.restoreAllMocks(); }); beforeEach(setupDateMocks); describe('common operations', () => { it('listFiles()', async () => { const fsClient = MemClient.createClient(); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); // No files exist yet const files1 = await GitVCS.listFiles(); expect(files1).toEqual([]); // File does not exist in git index await fsClient.promises.writeFile('foo.txt', 'bar'); const files2 = await GitVCS.listFiles(); expect(files2).toEqual([]); }); it('stage and unstage file', async () => { const fsClient = MemClient.createClient(); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await fsClient.promises.writeFile(fooTxt, 'foo'); await fsClient.promises.writeFile(barTxt, 'bar'); // Files outside namespace should be ignored await fsClient.promises.writeFile('/other.txt', 'other'); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('*added'); await GitVCS.add(fooTxt); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('added'); await GitVCS.remove(fooTxt); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('*added'); }); it('Returns empty log without first commit', async () => { const fsClient = MemClient.createClient(); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); expect(await GitVCS.log()).toEqual([]); }); it('commit file', async () => { const fsClient = MemClient.createClient(); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await fsClient.promises.writeFile(fooTxt, 'foo'); await fsClient.promises.writeFile(barTxt, 'bar'); await fsClient.promises.writeFile('other.txt', 'should be ignored'); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); await GitVCS.add(fooTxt); await GitVCS.commit('First commit!'); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('unmodified'); expect(await GitVCS.log()).toEqual([ { commit: { author: { email: 'karen@example.com', name: 'Karen Brown', timestamp: 1000000000, timezoneOffset: 0, }, committer: { email: 'karen@example.com', name: 'Karen Brown', timestamp: 1000000000, timezoneOffset: 0, }, message: 'First commit!\n', parent: [], tree: '14819d8019f05edb70a29850deb09a4314ad0afc', }, oid: '76f804a23eef9f52017bf93f4bc0bfde45ec8a93', payload: `tree 14819d8019f05edb70a29850deb09a4314ad0afc author Karen Brown <karen@example.com> 1000000000 +0000 committer Karen Brown <karen@example.com> 1000000000 +0000 First commit! `, }, ]); await fsClient.promises.unlink(fooTxt); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('*deleted'); await GitVCS.remove(fooTxt); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('deleted'); await GitVCS.remove(fooTxt); expect(await GitVCS.status(barTxt)).toBe('*added'); expect(await GitVCS.status(fooTxt)).toBe('deleted'); }); it('create branch', async () => { const fsClient = MemClient.createClient(); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await fsClient.promises.writeFile(fooTxt, 'foo'); await fsClient.promises.writeFile(barTxt, 'bar'); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); await GitVCS.add(fooTxt); await GitVCS.commit('First commit!'); expect((await GitVCS.log()).length).toBe(1); await GitVCS.checkout('new-branch'); expect((await GitVCS.log()).length).toBe(1); await GitVCS.add(barTxt); await GitVCS.commit('Second commit!'); expect((await GitVCS.log()).length).toBe(2); await GitVCS.checkout('main'); expect((await GitVCS.log()).length).toBe(1); }); }); describe('push()', () => { it('should throw an exception when push response contains errors', async () => { git.push.mockReturnValue({ ok: ['unpack'], errors: ['refs/heads/master pre-receive hook declined'], }); await expect(GitVCS.push()).rejects.toThrowError( 'Push rejected with errors: ["refs/heads/master pre-receive hook declined"].\n\nGo to View > Toggle DevTools > Console for more information.', ); }); }); describe('undoPendingChanges()', () => { it('should remove pending changes from all tracked files', async () => { const folder = path.join(GIT_INSOMNIA_DIR, 'folder'); const folderBarTxt = path.join(folder, 'bar.txt'); const originalContent = 'content'; const fsClient = MemClient.createClient(); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await fsClient.promises.writeFile(fooTxt, originalContent); await fsClient.promises.mkdir(folder); await fsClient.promises.writeFile(folderBarTxt, originalContent); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); // Commit await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); await GitVCS.add(fooTxt); await GitVCS.add(folderBarTxt); await GitVCS.commit('First commit!'); // Change the file await fsClient.promises.writeFile(fooTxt, 'changedContent'); await fsClient.promises.writeFile(folderBarTxt, 'changedContent'); expect(await GitVCS.status(fooTxt)).toBe('*modified'); expect(await GitVCS.status(folderBarTxt)).toBe('*modified'); // Undo await GitVCS.undoPendingChanges(); // Ensure git doesn't recognize a change anymore expect(await GitVCS.status(fooTxt)).toBe('unmodified'); expect(await GitVCS.status(folderBarTxt)).toBe('unmodified'); // Expect original doc to have reverted expect((await fsClient.promises.readFile(fooTxt)).toString()).toBe(originalContent); expect((await fsClient.promises.readFile(folderBarTxt)).toString()).toBe(originalContent); }); it('should remove pending changes from select tracked files', async () => { const foo1Txt = path.join(GIT_INSOMNIA_DIR, 'foo1.txt'); const foo2Txt = path.join(GIT_INSOMNIA_DIR, 'foo2.txt'); const foo3Txt = path.join(GIT_INSOMNIA_DIR, 'foo3.txt'); const files = [foo1Txt, foo2Txt, foo3Txt]; const originalContent = 'content'; const changedContent = 'changedContent'; const fsClient = MemClient.createClient(); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); // Write to all files await Promise.all(files.map(f => fsClient.promises.writeFile(f, originalContent))); // Commit all files await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); await Promise.all(files.map(f => GitVCS.add(f, originalContent))); await GitVCS.commit('First commit!'); // Change all files await Promise.all(files.map(f => fsClient.promises.writeFile(f, changedContent))); await Promise.all(files.map(() => expect(GitVCS.status(foo1Txt)).resolves.toBe('*modified'))); // Undo foo1 and foo2, but not foo3 await GitVCS.undoPendingChanges([foo1Txt, foo2Txt]); expect(await GitVCS.status(foo1Txt)).toBe('unmodified'); expect(await GitVCS.status(foo2Txt)).toBe('unmodified'); // Expect original doc to have reverted for foo1 and foo2 expect((await fsClient.promises.readFile(foo1Txt)).toString()).toBe(originalContent); expect((await fsClient.promises.readFile(foo2Txt)).toString()).toBe(originalContent); // Expect changed content for foo3 expect(await GitVCS.status(foo3Txt)).toBe('*modified'); expect((await fsClient.promises.readFile(foo3Txt)).toString()).toBe(changedContent); }); }); describe('readObjectFromTree()', () => { it('reads an object from tree', async () => { const fsClient = MemClient.createClient(); const dir = path.join(GIT_INSOMNIA_DIR, 'dir'); const dirFooTxt = path.join(dir, 'foo.txt'); await fsClient.promises.mkdir(GIT_INSOMNIA_DIR); await fsClient.promises.mkdir(dir); await fsClient.promises.writeFile(dirFooTxt, 'foo'); await GitVCS.init({ uri: '', repoId: '', directory: GIT_CLONE_DIR, fs: fsClient, }); await GitVCS.setAuthor('Karen Brown', 'karen@example.com'); await GitVCS.add(dirFooTxt); await GitVCS.commit('First'); await fsClient.promises.writeFile(dirFooTxt, 'foo bar'); await GitVCS.add(dirFooTxt); await GitVCS.commit('Second'); const log = await GitVCS.log(); expect(await GitVCS.readObjFromTree(log[0].commit.tree, dirFooTxt)).toBe('foo bar'); expect(await GitVCS.readObjFromTree(log[1].commit.tree, dirFooTxt)).toBe('foo'); // Some extra checks expect(await GitVCS.readObjFromTree(log[1].commit.tree, 'missing')).toBe(null); expect(await GitVCS.readObjFromTree('missing', 'missing')).toBe(null); }); }); }); ```
/content/code_sandbox/packages/insomnia/src/sync/git/__tests__/git-vcs.test.ts
xml
2016-04-23T03:54:26
2024-08-16T16:50:44
insomnia
Kong/insomnia
34,054
2,657
```xml <epp xmlns="urn:ietf:params:xml:ns:epp-1.0"> <response> <result code="1000"> <msg>Command completed successfully</msg> </result> <resData> <domain:chkData xmlns:domain="urn:ietf:params:xml:ns:domain-1.0"> <domain:cd> <domain:name avail="1">rich.example</domain:name> </domain:cd> <domain:cd> <domain:name avail="0">example1.tld</domain:name> <domain:reason>In use</domain:reason> </domain:cd> <domain:cd> <domain:name avail="1">example2.tld</domain:name> </domain:cd> <domain:cd> <domain:name avail="1">example3.tld</domain:name> </domain:cd> </domain:chkData> </resData> <extension> <fee:chkData xmlns:fee="urn:ietf:params:xml:ns:fee-0.11" xmlns:domain="urn:ietf:params:xml:ns:domain-1.0"> <fee:cd avail="1"> <fee:object> <domain:name>rich.example</domain:name> </fee:object> <fee:command>create</fee:command> <fee:currency>USD</fee:currency> <fee:period unit="y">1</fee:period> <fee:fee description="create">100.00</fee:fee> <fee:class>premium</fee:class> </fee:cd> <fee:cd avail="1"> <fee:object> <domain:name>example1.tld</domain:name> </fee:object> <fee:command>create</fee:command> <fee:currency>USD</fee:currency> <fee:period unit="y">1</fee:period> <fee:fee description="create">6.50</fee:fee> </fee:cd> <fee:cd avail="1"> <fee:object> <domain:name>example2.tld</domain:name> </fee:object> <fee:command>create</fee:command> <fee:currency>USD</fee:currency> <fee:period unit="y">1</fee:period> <fee:fee description="create">6.50</fee:fee> </fee:cd> <fee:cd avail="1"> <fee:object> <domain:name>example3.tld</domain:name> </fee:object> <fee:command>create</fee:command> <fee:currency>USD</fee:currency> <fee:period unit="y">1</fee:period> <fee:fee description="create">6.50</fee:fee> </fee:cd> </fee:chkData> </extension> <trID> <clTRID>ABC-12345</clTRID> <svTRID>server-trid</svTRID> </trID> </response> </epp> ```
/content/code_sandbox/core/src/test/resources/google/registry/flows/domain/domain_check_fee_default_token_multiple_names_response_v11.xml
xml
2016-02-29T20:16:48
2024-08-15T19:49:29
nomulus
google/nomulus
1,685
710
```xml <?xml version="1.0" encoding="UTF-8"?> <!-- --> <project name="ownCloud" default="build"> <!-- the target 'build' can be used by developers for command line builds --> <target name="build" depends="lint"/> <!-- php syntax analysis --> <target name="lint"> <apply executable="php" failonerror="true"> <arg value="-l" /> <fileset dir="${basedir}"> <include name="**/*.php" /> <exclude name="**/3rdparty/**" /> <exclude name="**/l10n/**" /> <!-- modified / --> </fileset> </apply> <!-- this looks for @brief and @returns annotation in PHP files and fails if it found some --> <apply executable="egrep" failonerror="false" resultproperty="grepReturnCode"> <arg value="-rsHn" /> <arg value="@brief|@returns" /> <fileset dir="${basedir}/build"> <include name="**/*.php" /> <exclude name="**/3rdparty/**" /> <exclude name="**/l10n/**" /> </fileset> </apply> <!-- fail if grep has found something --> <fail message="Please remove @returns and @brief annotations for PHPDoc (listed above)"> <condition> <equals arg1="0" arg2="${grepReturnCode}"/> </condition> </fail> </target> </project> ```
/content/code_sandbox/build/build.xml
xml
2016-06-02T07:44:14
2024-08-16T18:23:54
server
nextcloud/server
26,415
327
```xml <vector xmlns:android="path_to_url" android:height="34.0dp" android:tint="?attr/colorControlNormal" android:viewportHeight="16" android:viewportWidth="16" android:width="34.0dp"> <path android:fillColor="@android:color/white" android:pathData="M 6.0,4.0 A 3.0,3.0 0.0 0,0 3.1699,6.0156 A 1.0,1.0 0.0 0,0 3.0,6.0 A 1.0,1.0 0.0 0,0 2.0,7.0 A 1.0,1.0 0.0 0,0 3.0,8.0 A 1.0,1.0 0.0 0,0 3.1699,7.9863 A 3.0,3.0 0.0 0,0 5.0254,9.8359 A 2.5,2.5 0.0 0,1 5.0,9.5 A 2.5,2.5 0.0 0,1 7.5,7.0 A 2.5,2.5 0.0 0,1 9.8984,8.8008 L 15.0,7.0 L 14.5,4.0 L 6.0,4.0 M 7.5,8.0 A 1.5,1.5 0.0 0,0 6.0,9.5 A 1.5,1.5 0.0 0,0 7.5,11.0 A 1.5,1.5 0.0 0,0 9.0,9.5 A 1.5,1.5 0.0 0,0 7.5,8.0"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_preset_roentgen_cannon.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
451
```xml <?xml version="1.0" encoding="UTF-8"?> <phpunit bootstrap="bootstrap.php" colors="true"> <php> <ini name="memory_limit" value="512M" /> </php> <testsuites> <testsuite name="Algebra"> <directory suffix="Test.php">Algebra</directory> </testsuite> <testsuite name="Arithmetic"> <directory suffix="Test.php">Arithmetic</directory> </testsuite> <testsuite name="Exception"> <directory suffix="Test.php">Exception</directory> </testsuite> <testsuite name="Expression"> <directory suffix="Test.php">Expression</directory> </testsuite> <testsuite name="Finance"> <directory suffix="Test.php">Finance</directory> </testsuite> <testsuite name="Functions"> <directory suffix="Test.php">Functions</directory> </testsuite> <testsuite name="InformationTheory"> <directory suffix="Test.php">InformationTheory</directory> </testsuite> <testsuite name="LinearAlgebra"> <directory suffix="Test.php">LinearAlgebra</directory> </testsuite> <testsuite name="Number"> <directory suffix="Test.php">Number</directory> </testsuite> <testsuite name="NumberTheory"> <directory suffix="Test.php">NumberTheory</directory> </testsuite> <testsuite name="NumericalAnalysis"> <directory suffix="Test.php">NumericalAnalysis</directory> </testsuite> <testsuite name="Probabilty"> <directory suffix="Test.php">Probability</directory> </testsuite> <testsuite name="SampleData"> <directory suffix="Test.php">SampleData</directory> </testsuite> <testsuite name="Search"> <directory suffix="Test.php">Search</directory> </testsuite> <testsuite name="Sequence"> <directory suffix="Test.php">Sequence</directory> </testsuite> <testsuite name="SetTheory"> <directory suffix="Test.php">SetTheory</directory> </testsuite> <testsuite name="Statistics"> <directory suffix="Test.php">Statistics</directory> </testsuite> <testsuite name="Trigonometry"> <directory suffix="Test.php">Trigonometry</directory> </testsuite> <testsuite name="Util"> <directory suffix="Test.php">Util</directory> </testsuite> <testsuite name="All"> <directory suffix="Test.php">Algebra</directory> <directory suffix="Test.php">Arithmetic</directory> <directory suffix="Test.php">Exception</directory> <directory suffix="Test.php">Expression</directory> <directory suffix="Test.php">Finance</directory> <directory suffix="Test.php">Functions</directory> <directory suffix="Test.php">InformationTheory</directory> <directory suffix="Test.php">LinearAlgebra</directory> <directory suffix="Test.php">Number</directory> <directory suffix="Test.php">NumberTheory</directory> <directory suffix="Test.php">NumericalAnalysis</directory> <directory suffix="Test.php">Probability</directory> <directory suffix="Test.php">SampleData</directory> <directory suffix="Test.php">Search</directory> <directory suffix="Test.php">Sequence</directory> <directory suffix="Test.php">SetTheory</directory> <directory suffix="Test.php">Statistics</directory> <directory suffix="Test.php">Trigonometry</directory> <directory suffix="Test.php">Util</directory> </testsuite> <testsuite name="AllButLinearAlgebra"> <directory suffix="Test.php">Algebra</directory> <directory suffix="Test.php">Arithmetic</directory> <directory suffix="Test.php">Exception</directory> <directory suffix="Test.php">Expression</directory> <directory suffix="Test.php">Finance</directory> <directory suffix="Test.php">Functions</directory> <directory suffix="Test.php">InformationTheory</directory> <directory suffix="Test.php">Number</directory> <directory suffix="Test.php">NumberTheory</directory> <directory suffix="Test.php">NumericalAnalysis</directory> <directory suffix="Test.php">Probability</directory> <directory suffix="Test.php">SampleData</directory> <directory suffix="Test.php">Search</directory> <directory suffix="Test.php">Sequence</directory> <directory suffix="Test.php">SetTheory</directory> <directory suffix="Test.php">Statistics</directory> <directory suffix="Test.php">Trigonometry</directory> <directory suffix="Test.php">Util</directory> </testsuite> </testsuites> <filter> <whitelist processUncoveredFilesFromWhitelist="true"> <directory suffix=".php">../src/</directory> <exclude> <directory suffix=".php">../vendor/</directory> </exclude> </whitelist> </filter> </phpunit> ```
/content/code_sandbox/tests/phpunit.xml
xml
2016-04-03T17:57:14
2024-08-14T14:59:39
math-php
markrogoyski/math-php
2,326
1,123
```xml <?xml version="1.0" encoding="UTF-8"?> <!-- DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. This code is free software; you can redistribute it and/or modify it published by the Free Software Foundation. Oracle designates this particular file as subject to the "Classpath" exception as provided by Oracle in the LICENSE file that accompanied this code. This code is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or version 2 for more details (a copy is included in the LICENSE file that accompanied this code). 2 along with this work; if not, write to the Free Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA or visit www.oracle.com if you need additional information or have any questions. --> <project xmlns="path_to_url"> <type>org.netbeans.modules.apisupport.project</type> <configuration> <data xmlns="path_to_url"> <code-name-base>org.graalvm.visualvm.lib.jfluid</code-name-base> <suite-component/> <module-dependencies/> <test-dependencies> <test-type> <name>unit</name> <test-dependency> <code-name-base>org.netbeans.libs.junit4</code-name-base> <compile-dependency/> </test-dependency> </test-type> <test-type> <name>qa-functional</name> <test-dependency> <code-name-base>org.netbeans.libs.junit4</code-name-base> <compile-dependency/> </test-dependency> <test-dependency> <code-name-base>org.netbeans.modules.nbjunit</code-name-base> <recursive/> <compile-dependency/> </test-dependency> <test-dependency> <code-name-base>org.openide.modules</code-name-base> <compile-dependency/> </test-dependency> </test-type> </test-dependencies> <friend-packages> <friend>org.graalvm.visualvm.application.views</friend> <friend>org.graalvm.visualvm.core</friend> <friend>org.graalvm.visualvm.heapdump</friend> <friend>org.graalvm.visualvm.heapviewer</friend> <friend>org.graalvm.visualvm.heapviewer.truffle</friend> <friend>org.graalvm.visualvm.jfr</friend> <friend>org.graalvm.visualvm.jfr.streaming</friend> <friend>org.graalvm.visualvm.lib.common</friend> <friend>org.graalvm.visualvm.lib.profiler</friend> <friend>org.graalvm.visualvm.lib.profiler.api</friend> <friend>org.graalvm.visualvm.lib.profiler.attach</friend> <friend>org.graalvm.visualvm.lib.profiler.heapwalker</friend> <friend>org.graalvm.visualvm.lib.profiler.oql</friend> <friend>org.graalvm.visualvm.lib.profiler.snaptracer</friend> <friend>org.graalvm.visualvm.lib.ui</friend> <friend>org.graalvm.visualvm.modules.appui</friend> <friend>org.graalvm.visualvm.profiler</friend> <friend>org.graalvm.visualvm.profiling</friend> <friend>org.graalvm.visualvm.sampler</friend> <friend>org.graalvm.visualvm.sampler.truffle</friend> <package>org.graalvm.visualvm.lib.jfluid</package> <package>org.graalvm.visualvm.lib.jfluid.classfile</package> <package>org.graalvm.visualvm.lib.jfluid.client</package> <package>org.graalvm.visualvm.lib.jfluid.filters</package> <package>org.graalvm.visualvm.lib.jfluid.global</package> <package>org.graalvm.visualvm.lib.jfluid.instrumentation</package> <package>org.graalvm.visualvm.lib.jfluid.jps</package> <package>org.graalvm.visualvm.lib.jfluid.marker</package> <package>org.graalvm.visualvm.lib.jfluid.results</package> <package>org.graalvm.visualvm.lib.jfluid.results.coderegion</package> <package>org.graalvm.visualvm.lib.jfluid.results.cpu</package> <package>org.graalvm.visualvm.lib.jfluid.results.cpu.cct</package> <package>org.graalvm.visualvm.lib.jfluid.results.cpu.cct.nodes</package> <package>org.graalvm.visualvm.lib.jfluid.results.cpu.marking</package> <package>org.graalvm.visualvm.lib.jfluid.results.jdbc</package> <package>org.graalvm.visualvm.lib.jfluid.results.locks</package> <package>org.graalvm.visualvm.lib.jfluid.results.memory</package> <package>org.graalvm.visualvm.lib.jfluid.results.monitor</package> <package>org.graalvm.visualvm.lib.jfluid.results.threads</package> <package>org.graalvm.visualvm.lib.jfluid.utils</package> <package>org.graalvm.visualvm.lib.jfluid.utils.formatting</package> <package>org.graalvm.visualvm.lib.jfluid.wireprotocol</package> </friend-packages> <extra-compilation-unit> <package-root>${src15.dir}</package-root> <classpath>${build.classes.dir}</classpath> <built-to>${build15.classes.dir}</built-to> <built-to>${cluster}/${jfluid.server.15.jar}</built-to> </extra-compilation-unit> <extra-compilation-unit> <package-root>${srccvm.dir}</package-root> <classpath/> <built-to>${buildcvm.classes.dir}</built-to> <built-to>${cluster}/${jfluid.server.cvm.jar}</built-to> </extra-compilation-unit> </data> </configuration> </project> ```
/content/code_sandbox/visualvm/libs.profiler/lib.profiler/nbproject/project.xml
xml
2016-09-12T14:44:30
2024-08-16T14:41:50
visualvm
oracle/visualvm
2,821
1,331
```xml <?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="path_to_url" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="cs" original="../CommonLocalizableStrings.resx"> <body> <trans-unit id="ArchArgumentName"> <source>ARCH</source> <target state="translated">ARCH</target> <note /> </trans-unit> <trans-unit id="ArchitectureOptionDescription"> <source>The target architecture.</source> <target state="translated">Clov architektura</target> <note /> </trans-unit> <trans-unit id="ArtifactsPathArgumentName"> <source>ARTIFACTS_DIR</source> <target state="translated">ARTIFACTS_DIR</target> <note /> </trans-unit> <trans-unit id="ArtifactsPathOptionDescription"> <source>The artifacts path. All output from the project, including build, publish, and pack output, will go in subfolders under the specified path.</source> <target state="translated">Cesta k artefaktm. Veker vstup z projektu, vetn vstupu sestaven, publikovn a balku, se pesune do podsloek v zadan cest.</target> <note /> </trans-unit> <trans-unit id="CannotResolveRuntimeIdentifier"> <source>Resolving the current runtime identifier failed.</source> <target state="translated">Nepovedlo se vyeit aktuln identifiktor modulu runtime.</target> <note /> </trans-unit> <trans-unit id="CannotSpecifyBothRuntimeAndArchOptions"> <source>Specifying both the `-r|--runtime` and `-a|--arch` options is not supported.</source> <target state="translated">Zadn monost -r|--runtime a -a|--arch zrove se nepodporuje.</target> <note /> </trans-unit> <trans-unit id="CannotSpecifyBothRuntimeAndOsOptions"> <source>Specifying both the `-r|--runtime` and `-os` options is not supported.</source> <target state="translated">Zadn monost -r|--runtime a -os zrove se nepodporuje.</target> <note /> </trans-unit> <trans-unit id="CommandInteractiveOptionDescription"> <source>Allows the command to stop and wait for user input or action (for example to complete authentication).</source> <target state="translated">Umouje, aby se pkaz zastavil a pokal na vstup nebo akci uivatele (napklad na dokonen oven).</target> <note /> </trans-unit> <trans-unit id="CommandPrereleaseOptionDescription"> <source>Allows prerelease packages to be installed.</source> <target state="translated">Umouje instalaci pedbnch verz balk.</target> <note /> </trans-unit> <trans-unit id="CorruptSolutionProjectFolderStructure"> <source>The solution file '{0}' is missing EndProject tags or has invalid child-parent project folder mappings around project GUID: '{1}'. Manually repair the solution or try to open and save it in Visual Studio."</source> <target state="translated">V souboru een {0} chyb znaky EndProject nebo obsahuje neplatn mapovn sloky nadazenho/podzenho projektu kolem projektu GUID: {1}. Opravte een run nebo se ho pokuste otevt a uloit v sad Visual Studio.</target> <note /> </trans-unit> <trans-unit id="CouldNotFindAnyProjectInDirectory"> <source>Could not find any project in `{0}`.</source> <target state="translated">V {0} se nenael dn projekt.</target> <note /> </trans-unit> <trans-unit id="DidYouMean"> <source>Did you mean the following command?</source> <target state="translated">Mli jste na mysli nsledujc pkaz?</target> <note /> </trans-unit> <trans-unit id="DisableBuildServersOptionDescription"> <source>Force the command to ignore any persistent build servers.</source> <target state="translated">Vynute, aby pkaz ignoroval vechny trval buildovac servery.</target> <note /> </trans-unit> <trans-unit id="EnvironmentPathOSXBashManualInstructions"> <source>Tools directory '{0}' is not currently on the PATH environment variable. If you are using bash, you can add it to your profile by running the following command: cat &lt;&lt; \EOF &gt;&gt; ~/.bash_profile # Add .NET Core SDK tools export PATH="$PATH:{0}" EOF You can add it to the current session by running the following command: export PATH="$PATH:{0}" </source> <target state="translated">Adres nstroj {0} se v tuto chvli nenachz v promnn prosted PATH. Pokud pouvte bash, mete ho pidat do profilu tak, e spustte nsledujc pkaz: cat &lt;&lt; \EOF &gt;&gt; ~/.bash_profile # Add .NET Core SDK tools export PATH="$PATH:{0}" EOF Pokud ho chcete pidat do aktuln relace, slou k tomuto tento pkaz: export PATH="$PATH:{0}" </target> <note /> </trans-unit> <trans-unit id="EnvironmentPathOSXZshManualInstructions"> <source>Tools directory '{0}' is not currently on the PATH environment variable. If you are using zsh, you can add it to your profile by running the following command: cat &lt;&lt; \EOF &gt;&gt; ~/.zprofile # Add .NET Core SDK tools export PATH="$PATH:{0}" EOF And run `zsh -l` to make it available for current session. You can only add it to the current session by running the following command: export PATH="$PATH:{0}" </source> <target state="translated">Adres nstroj {0} se aktuln nenachz v promnn prosted PATH. Pokud pouvte zsh, mete si ho pidat do profilu tak, e spustte nsledujc pkaz: cat &lt;&lt; \EOF &gt;&gt; ~/.zprofile # Pidn nstroj .NET Core SDK export PATH="$PATH:{0}" EOF Pak ho sputnm pkazu zsh -l zpstupnte pro aktuln relaci. Pokud ho chcete pidat do aktuln relace, slou k tomuto tento pkaz: export PATH="$PATH:{0}" </target> <note /> </trans-unit> <trans-unit id="FrameworkDependentOptionDescription"> <source>Publish your application as a framework dependent application. A compatible .NET runtime must be installed on the target machine to run your application.</source> <target state="translated">Publikujte svoji aplikaci jako aplikaci zvislou na architektue. Aby bylo mon vai aplikaci spustit, mus bt na clovm potai nainstalovan kompatibiln modul runtime .NET.</target> <note /> </trans-unit> <trans-unit id="MSBuildAdditionalOptionTitle"> <source>.NET Cli Options:</source> <target state="translated">Monosti rozhran pkazovho dku .NET:</target> <note /> </trans-unit> <trans-unit id="MoreThanOneProjectInDirectory"> <source>Found more than one project in `{0}`. Specify which one to use.</source> <target state="translated">V {0} se nalo nkolik projekt. Vyberte, kter z nich chcete pout.</target> <note /> </trans-unit> <trans-unit id="OSArgumentName"> <source>OS</source> <target state="translated">Operan systm</target> <note /> </trans-unit> <trans-unit id="OperatingSystemOptionDescription"> <source>The target operating system.</source> <target state="translated">Clov operan systm</target> <note /> </trans-unit> <trans-unit id="ProjectAlreadyHasAreference"> <source>Project already has a reference to `{0}`.</source> <target state="translated">Projekt u obsahuje odkaz na {0}.</target> <note /> </trans-unit> <trans-unit id="ProjectReferenceCouldNotBeFound"> <source>Project reference `{0}` could not be found.</source> <target state="translated">Nenael se odkaz na projekt {0}.</target> <note /> </trans-unit> <trans-unit id="ProjectReferenceRemoved"> <source>Project reference `{0}` removed.</source> <target state="translated">Odkaz na projekt {0} byl odebrn.</target> <note /> </trans-unit> <trans-unit id="Project"> <source>Project</source> <target state="translated">Projekt</target> <note /> </trans-unit> <trans-unit id="ProjectFile"> <source>Project file</source> <target state="translated">Soubor projektu</target> <note /> </trans-unit> <trans-unit id="Reference"> <source>Reference</source> <target state="translated">Odkaz</target> <note /> </trans-unit> <trans-unit id="ProjectReference"> <source>Project reference</source> <target state="translated">Odkaz na projekt</target> <note /> </trans-unit> <trans-unit id="PackageReference"> <source>Package reference</source> <target state="translated">Odkaz na balek</target> <note /> </trans-unit> <trans-unit id="P2P"> <source>Project to Project</source> <target state="translated">Z projektu na projekt</target> <note /> </trans-unit> <trans-unit id="P2PReference"> <source>Project to Project reference</source> <target state="translated">Odkaz mezi projekty</target> <note /> </trans-unit> <trans-unit id="Package"> <source>Package</source> <target state="translated">Balek</target> <note /> </trans-unit> <trans-unit id="ResponseFileNotFound"> <source>Response file '{0}' does not exist.</source> <target state="translated">Soubor odpovd {0} neexistuje.</target> <note /> </trans-unit> <trans-unit id="SelfContainAndNoSelfContainedConflict"> <source>The '--self-contained' and '--no-self-contained' options cannot be used together.</source> <target state="translated">Monosti --self-contained a --no-self-contained nelze pout spolen.</target> <note>{Locked="--self-contained"}{Locked="--no-self-contained"}</note> </trans-unit> <trans-unit id="SelfContainedOptionDescription"> <source>Publish the .NET runtime with your application so the runtime doesn't need to be installed on the target machine. The default is 'false.' However, when targeting .NET 7 or lower, the default is 'true' if a runtime identifier is specified.</source> <target state="translated">Publikujte se svou aplikac modul runtime pro .NET, aby ho nebylo nutn instalovat na clovm potai. Vchoz hodnota je false, ale pokud clte na .NET 7 nebo ni a je zadn identifiktor modulu runtime, vchoz hodnota je true.</target> <note /> </trans-unit> <trans-unit id="Solution"> <source>Solution</source> <target state="translated">een</target> <note /> </trans-unit> <trans-unit id="SolutionArgumentMisplaced"> <source>Solution argument '{0}' is misplaced.</source> <target state="translated">Argument een {0} je chybn umstn.</target> <note /> </trans-unit> <trans-unit id="SolutionFile"> <source>Solution file</source> <target state="translated">Soubor een</target> <note /> </trans-unit> <trans-unit id="Executable"> <source>Executable</source> <target state="translated">Ke sputn</target> <note /> </trans-unit> <trans-unit id="Library"> <source>Library</source> <target state="translated">Knihovna</target> <note /> </trans-unit> <trans-unit id="Program"> <source>Program</source> <target state="translated">Program</target> <note /> </trans-unit> <trans-unit id="Application"> <source>Application</source> <target state="translated">Aplikace</target> <note /> </trans-unit> <trans-unit id="ReferenceAddedToTheProject"> <source>Reference `{0}` added to the project.</source> <target state="translated">Odkaz na {0} byl pidn do projektu.</target> <note /> </trans-unit> <trans-unit id="Add"> <source>Add</source> <target state="translated">Pidat</target> <note /> </trans-unit> <trans-unit id="Remove"> <source>Remove</source> <target state="translated">Odebrat</target> <note /> </trans-unit> <trans-unit id="Delete"> <source>Delete</source> <target state="translated">Odstranit</target> <note /> </trans-unit> <trans-unit id="SolutionFolderAlreadyContainsProject"> <source>Solution {0} already contains project {1} in solution folder {2}.</source> <target state="translated">een {0} ji obsahuje projekt {1} ve sloce een {2}.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsNotFound"> <source>Tool settings file does not exist for the tool {0}.</source> <target state="translated">Soubor nastaven nstroje {0} neexistuje.</target> <note /> </trans-unit> <trans-unit id="Update"> <source>Update</source> <target state="translated">Aktualizovat</target> <note /> </trans-unit> <trans-unit id="New"> <source>New</source> <target state="translated">Nov</target> <note /> </trans-unit> <trans-unit id="List"> <source>List</source> <target state="translated">Seznam</target> <note /> </trans-unit> <trans-unit id="Load"> <source>Load</source> <target state="translated">Nast</target> <note /> </trans-unit> <trans-unit id="Save"> <source>Save</source> <target state="translated">Uloit</target> <note /> </trans-unit> <trans-unit id="Find"> <source>Find</source> <target state="translated">Najt</target> <note /> </trans-unit> <trans-unit id="Error"> <source>Error</source> <target state="translated">Chyba</target> <note /> </trans-unit> <trans-unit id="Warning"> <source>Warning</source> <target state="translated">Upozornn</target> <note /> </trans-unit> <trans-unit id="File"> <source>File</source> <target state="translated">Soubor</target> <note /> </trans-unit> <trans-unit id="Directory"> <source>Directory</source> <target state="translated">Adres</target> <note /> </trans-unit> <trans-unit id="Type"> <source>Type</source> <target state="translated">Typ</target> <note /> </trans-unit> <trans-unit id="Value"> <source>Value</source> <target state="translated">Hodnota</target> <note /> </trans-unit> <trans-unit id="Group"> <source>Group</source> <target state="translated">Skupina</target> <note /> </trans-unit> <trans-unit id="XAddedToY"> <source>{0} added to {1}.</source> <target state="translated">Poloka {0} byla pidna do {1}.</target> <note /> </trans-unit> <trans-unit id="XRemovedFromY"> <source>{0} removed from {1}.</source> <target state="translated">Poloka {0} byla odebrna z {1}.</target> <note /> </trans-unit> <trans-unit id="XDeletedFromY"> <source>{0} deleted from {1}.</source> <target state="translated">Poloka {0} byla odstranna z {1}.</target> <note /> </trans-unit> <trans-unit id="XSuccessfullyUpdated"> <source>{0} successfully updated.</source> <target state="translated">Poloka {0} byla spn aktualizovna.</target> <note /> </trans-unit> <trans-unit id="XIsInvalid"> <source>{0} is invalid.</source> <target state="translated">Poloka {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="XYFoundButInvalid"> <source>{0} `{1}` found but is invalid.</source> <target state="translated">Poloka {0} {1} byl nalezena, ale nen platn.</target> <note /> </trans-unit> <trans-unit id="XFoundButInvalid"> <source>`{0}` found but is invalid.</source> <target state="translated">Poloka {0} byla nalezena, ale nen platn.</target> <note /> </trans-unit> <trans-unit id="OperationInvalid"> <source>Operation is invalid.</source> <target state="translated">Operace nen platn.</target> <note /> </trans-unit> <trans-unit id="OperationXInvalid"> <source>Operation {0} is invalid.</source> <target state="translated">Operace {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="XNotFound"> <source>{0} not found.</source> <target state="translated">Poloka {0} se nenala.</target> <note /> </trans-unit> <trans-unit id="XOrYNotFound"> <source>{0} or {1} not found.</source> <target state="translated">Poloka {0} nebo {1} se nenala.</target> <note /> </trans-unit> <trans-unit id="XOrYNotFoundInZ"> <source>{0} or {1} not found in `{2}`.</source> <target state="translated">Poloka {0} nebo {1} se nenala v {2}.</target> <note /> </trans-unit> <trans-unit id="FileNotFound"> <source>File `{0}` not found.</source> <target state="translated">Soubor {0} se nenael.</target> <note /> </trans-unit> <trans-unit id="XDoesNotExist"> <source>{0} does not exist.</source> <target state="translated">{0} neexistuje.</target> <note /> </trans-unit> <trans-unit id="XYDoesNotExist"> <source>{0} `{1}` does not exist.</source> <target state="translated">{0} {1} neexistuje.</target> <note /> </trans-unit> <trans-unit id="MoreThanOneXFound"> <source>More than one {0} found.</source> <target state="translated">Nalo se vce poloek {0}.</target> <note /> </trans-unit> <trans-unit id="XAlreadyContainsY"> <source>{0} already contains {1}.</source> <target state="translated">{0} u obsahuje {1}.</target> <note /> </trans-unit> <trans-unit id="XAlreadyContainsYZ"> <source>{0} already contains {1} `{2}`.</source> <target state="translated">{0} u obsahuje {1} {2}.</target> <note /> </trans-unit> <trans-unit id="XAlreadyHasY"> <source>{0} already has {1}.</source> <target state="translated">{0} u m {1}.</target> <note /> </trans-unit> <trans-unit id="XAlreadyHasYZ"> <source>{0} already has {1} `{2}`.</source> <target state="translated">{0} u m {1} {2}.</target> <note /> </trans-unit> <trans-unit id="XWasNotExpected"> <source>{0} was not expected.</source> <target state="translated">Poloka {0} nebyla oekvna.</target> <note /> </trans-unit> <trans-unit id="XNotProvided"> <source>{0} not provided.</source> <target state="translated">Poloka {0} nebyla zadna.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOne"> <source>Specify at least one {0}.</source> <target state="translated">Zadejte aspo jednu poloku {0}.</target> <note /> </trans-unit> <trans-unit id="CouldNotConnectWithTheServer"> <source>Could not connect with the server.</source> <target state="translated">Nen mon se pipojit k serveru.</target> <note /> </trans-unit> <trans-unit id="RequiredArgumentIsInvalid"> <source>Required argument {0} is invalid.</source> <target state="translated">Poadovan argument {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="OptionIsInvalid"> <source>Option {0} is invalid.</source> <target state="translated">Monost {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="ArgumentIsInvalid"> <source>Argument {0} is invalid.</source> <target state="translated">Argument {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="RequiredArgumentNotPassed"> <source>Required argument {0} was not provided.</source> <target state="translated">Poadovan argument {0} nebyl zadn.</target> <note /> </trans-unit> <trans-unit id="CouldNotFindProjectOrDirectory"> <source>Could not find project or directory `{0}`.</source> <target state="translated">Nenael se projekt ani adres {0}.</target> <note /> </trans-unit> <trans-unit id="FoundInvalidProject"> <source>Found a project `{0}` but it is invalid.</source> <target state="translated">Projekt {0} se nael, ale nen platn.</target> <note /> </trans-unit> <trans-unit id="InvalidProject"> <source>Invalid project `{0}`.</source> <target state="translated">Projekt {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="CouldNotFindSolutionIn"> <source>Specified solution file {0} does not exist, or there is no solution file in the directory.</source> <target state="translated">Zadan soubor een {0} neexistuje nebo v adresi nen soubor een.</target> <note /> </trans-unit> <trans-unit id="CouldNotFindSolutionOrDirectory"> <source>Could not find solution or directory `{0}`.</source> <target state="translated">Nenalo se een ani adres {0}.</target> <note /> </trans-unit> <trans-unit id="SolutionDoesNotExist"> <source>Specified solution file {0} does not exist, or there is no solution file in the directory.</source> <target state="translated">Zadan soubor een {0} neexistuje nebo v adresi nen soubor een.</target> <note /> </trans-unit> <trans-unit id="ReferenceIsInvalid"> <source>Reference `{0}` is invalid.</source> <target state="translated">Odkaz na {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOneReferenceToAdd"> <source>You must specify at least one reference to add.</source> <target state="translated">Muste zadat aspo jeden odkaz, kter chcete pidat.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceDoesNotExist"> <source>Package reference `{0}` does not exist.</source> <target state="translated">Odkaz na balek {0} neexistuje.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceIsInvalid"> <source>Package reference `{0}` is invalid.</source> <target state="translated">Odkaz na balek {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOnePackageReferenceToAdd"> <source>You must specify at least one package to add.</source> <target state="translated">Muste zadat aspo jeden balek, kter chcete pidat.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceAddedToTheProject"> <source>Package reference `{0}` added to the project.</source> <target state="translated">Odkaz na balek {0} byl pidn do projektu.</target> <note /> </trans-unit> <trans-unit id="ProjectAlreadyHasAPackageReference"> <source>Project {0} already has a reference `{1}`.</source> <target state="translated">Projekt {0} u obsahuje odkaz na {1}.</target> <note /> </trans-unit> <trans-unit id="PleaseSpecifyVersion"> <source>Specify a version of the package.</source> <target state="translated">Zadejte verzi balku.</target> <note /> </trans-unit> <trans-unit id="ProjectDoesNotExist"> <source>Project `{0}` does not exist.</source> <target state="translated">Projekt {0} neexistuje.</target> <note /> </trans-unit> <trans-unit id="ProjectIsInvalid"> <source>Project `{0}` is invalid.</source> <target state="translated">Projekt {0} nen platn.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOneProjectToAdd"> <source>You must specify at least one project to add.</source> <target state="translated">Muste zadat aspo jeden projekt, kter chcete pidat.</target> <note /> </trans-unit> <trans-unit id="ProjectAddedToTheSolution"> <source>Project `{0}` added to the solution.</source> <target state="translated">Projekt {0} byl pidn do een.</target> <note /> </trans-unit> <trans-unit id="ReferenceNotFoundInTheProject"> <source>Specified reference {0} does not exist in project {1}.</source> <target state="translated">Zadan odkaz {0} v projektu {1} neexistuje.</target> <note /> </trans-unit> <trans-unit id="ReferenceRemoved"> <source>Reference `{0}` deleted from the project.</source> <target state="translated">Odkaz na {0} byl z projektu odstrann.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOneReferenceToRemove"> <source>You must specify at least one reference to remove.</source> <target state="translated">Muste zadat aspo jeden odkaz, kter chcete odebrat.</target> <note /> </trans-unit> <trans-unit id="ReferenceDeleted"> <source>Reference `{0}` deleted.</source> <target state="translated">Odkaz na {0} byl odstrann.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceNotFoundInTheProject"> <source>Package reference `{0}` could not be found in the project.</source> <target state="translated">Odkaz na balek {0} se v projektu nenael.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceRemoved"> <source>Reference `{0}` deleted from the project.</source> <target state="translated">Odkaz na {0} byl z projektu odstrann.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOnePackageReferenceToRemove"> <source>You must specify at least one package reference to remove.</source> <target state="translated">Muste zadat aspo jeden odkaz na balek, kter chcete odebrat.</target> <note /> </trans-unit> <trans-unit id="PackageReferenceDeleted"> <source>Package reference `{0}` deleted.</source> <target state="translated">Odkaz na balek {0} byl odstrann.</target> <note /> </trans-unit> <trans-unit id="ProjectNotFoundInTheSolution"> <source>Project `{0}` could not be found in the solution.</source> <target state="translated">Projekt {0} se v een nenael.</target> <note /> </trans-unit> <trans-unit id="ProjectRemoved"> <source>Project `{0}` removed from solution.</source> <target state="translated">Projekt {0} byl z een odebrn.</target> <note /> </trans-unit> <trans-unit id="SpecifyAtLeastOneProjectToRemove"> <source>You must specify at least one project to remove.</source> <target state="translated">Muste zadat aspo jeden projekt, kter chcete odebrat.</target> <note /> </trans-unit> <trans-unit id="ProjectDeleted"> <source>Project `{0}` deleted from solution.</source> <target state="translated">Projekt {0} byl z een odstrann.</target> <note /> </trans-unit> <trans-unit id="NoReferencesFound"> <source>There are no {0} references in project {1}.</source> <target state="translated">V projektu {1} nejsou dn odkazy na {0}.</target> <note /> </trans-unit> <trans-unit id="NoProjectsFound"> <source>No projects found in the solution.</source> <target state="translated">V een se nenaly dn projekty.</target> <note /> </trans-unit> <trans-unit id="PleaseSpecifyNewVersion"> <source>Specify new version of the package.</source> <target state="translated">Zadejte novou verzi balku.</target> <note /> </trans-unit> <trans-unit id="PleaseSpecifyWhichPackageToUpdate"> <source>Specify which package to update.</source> <target state="translated">Zadejte, kter balek chcete aktualizovat.</target> <note /> </trans-unit> <trans-unit id="NothingToUpdate"> <source>Nothing to update.</source> <target state="translated">Nic k aktualizaci.</target> <note /> </trans-unit> <trans-unit id="EverythingUpToDate"> <source>Everything is already up-to-date.</source> <target state="translated">Vechno je aktuln.</target> <note /> </trans-unit> <trans-unit id="PackageVersionUpdatedTo"> <source>Version of package `{0}` updated to `{1}`.</source> <target state="translated">Verze balku {0} byla aktualizovna na {1}.</target> <note /> </trans-unit> <trans-unit id="PackageVersionUpdated"> <source>Version of package `{0}` updated.</source> <target state="translated">Verze balku {0} byla aktualizovna.</target> <note /> </trans-unit> <trans-unit id="CouldNotUpdateTheVersion"> <source>Could not update the version of the package `{0}`.</source> <target state="translated">Verzi balku {0} nen mon aktualizovat.</target> <note /> </trans-unit> <trans-unit id="TemplateCreatedSuccessfully"> <source>The template {0} created successfully. run "dotnet restore" to get started!</source> <target state="translated">ablona {0} se spn vytvoila. Zante sputnm pkazu dotnet restore!</target> <note /> </trans-unit> <trans-unit id="TemplateInstalledSuccesfully"> <source>The template {0} installed successfully. You can use "dotnet new {0}" to get started with the new template.</source> <target state="translated">ablona {0} byla spn nainstalovna. Pokud chcete zat novou ablonou, pouijte pkaz dotnet new {0}.</target> <note /> </trans-unit> <trans-unit id="TemplateCreateError"> <source>Template {0} could not be created. Error returned was: {1}.</source> <target state="translated">ablonu {0} se nepodailo vytvoit. Vrcen chyba: {1}</target> <note /> </trans-unit> <trans-unit id="TemplateInstallError"> <source>Template {0} could not be installed. Error returned was: {1}.</source> <target state="translated">ablonu {0} se nepodailo nainstalovat. Vrcen chyba: {1}</target> <note /> </trans-unit> <trans-unit id="SpecifiedNameExists"> <source>Specified name {0} already exists. Specify a different name.</source> <target state="translated">Zadan nzev {0} u existuje. Zadejte jin nzev.</target> <note /> </trans-unit> <trans-unit id="SpecifiedAliasExists"> <source>Specified alias {0} already exists. Specify a different alias.</source> <target state="translated">Zadan alias {0} u existuje. Zadejte jin alias.</target> <note /> </trans-unit> <trans-unit id="MandatoryParameterMissing"> <source>Mandatory parameter {0} missing for template {1}. </source> <target state="translated">Chyb povinn parametr {0} pro ablonu {1}. </target> <note /> </trans-unit> <trans-unit id="ProjectReferenceOneOrMore"> <source>Project reference(s)</source> <target state="translated">Odkaz(y) na projekt</target> <note /> </trans-unit> <trans-unit id="RequiredCommandNotPassed"> <source>Required command was not provided.</source> <target state="translated">Poadovan pkaz nebyl zadn.</target> <note /> </trans-unit> <trans-unit id="MoreThanOneSolutionInDirectory"> <source>Found more than one solution file in {0}. Specify which one to use.</source> <target state="translated">V {0} se nalo nkolik soubor een. Vyberte, kter z nich chcete pout.</target> <note /> </trans-unit> <trans-unit id="SolutionAlreadyContainsProject"> <source>Solution {0} already contains project {1}.</source> <target state="translated">een {0} u obsahuje projekt {1}.</target> <note /> </trans-unit> <trans-unit id="ArgumentsProjectOrSolutionDescription"> <source>The project or solution to operation on. If a file is not specified, the current directory is searched.</source> <target state="translated">Pouit projekt nebo een. Pokud nen soubor zadan, prohled se aktuln adres.</target> <note /> </trans-unit> <trans-unit id="CmdFramework"> <source>FRAMEWORK</source> <target state="translated">FRAMEWORK</target> <note /> </trans-unit> <trans-unit id="ProjectNotCompatibleWithFrameworks"> <source>Project `{0}` cannot be added due to incompatible targeted frameworks between the two projects. Review the project you are trying to add and verify that is compatible with the following targets:</source> <target state="translated">Projekt {0} nen mon pidat, protoe clov platformy obou projekt nejsou kompatibiln. Zkontrolujte projekt, kter se pokoute pidat, a ovte jeho kompatibilitu s nsledujcmi cli:</target> <note /> </trans-unit> <trans-unit id="ProjectDoesNotTargetFramework"> <source>Project `{0}` does not target framework `{1}`.</source> <target state="translated">Projekt {0} nen uren pro clovou architekturu {1}.</target> <note /> </trans-unit> <trans-unit id="ProjectCouldNotBeEvaluated"> <source>Project `{0}` could not be evaluated. Evaluation failed with following error: {1}.</source> <target state="translated">Projekt {0} se nepodailo vyhodnotit. Vyhodnocen selhalo s nsledujc chybou: {1}.</target> <note /> </trans-unit> <trans-unit id="UnsupportedProjectType"> <source>Project '{0}' has an unknown project type and cannot be added to the solution file. Contact your SDK provider for support.</source> <target state="translated">Projekt {0} m neznm typ projektu a nelze ho pidat do souboru een. O podporu podejte poskytovatele sady SDK.</target> <note /> </trans-unit> <trans-unit id="InvalidSolutionFormatString"> <source>Invalid solution `{0}`. {1}.</source> <target state="translated">Neplatn een {0}. {1}.</target> <note /> </trans-unit> <trans-unit id="InvalidProjectWithExceptionMessage"> <source>Invalid project `{0}`. {1}.</source> <target state="translated">Neplatn projekt {0}. {1}.</target> <note /> </trans-unit> <trans-unit id="VerbosityOptionDescription"> <source>Set the MSBuild verbosity level. Allowed values are q[uiet], m[inimal], n[ormal], d[etailed], and diag[nostic].</source> <target state="translated">Nastavuje rove podrobnost MSBuild. Povolen hodnoty jsou q [tich], m [minimln], n [normln], d [podrobn] a diag [diagnostick].</target> <note /> </trans-unit> <trans-unit id="CmdVersionSuffixDescription"> <source>Set the value of the $(VersionSuffix) property to use when building the project.</source> <target state="translated">Nastavuje hodnotu vlastnosti $(VersionSuffix), kter se m pout pi sestavovn projektu.</target> <note /> </trans-unit> <trans-unit id="ShowHelpDescription"> <source>Show command line help.</source> <target state="translated">Zobraz npovdu pkazovho dku.</target> <note /> </trans-unit> <trans-unit id="NoRestoreDescription"> <source>Do not restore the project before building.</source> <target state="translated">Neobnov projekt ped sestavenm.</target> <note /> </trans-unit> <trans-unit id="ProjectRemovedFromTheSolution"> <source>Project `{0}` removed from the solution.</source> <target state="translated">Projekt {0} byl z een odebrn.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsInvalidXml"> <source>Invalid XML: {0}</source> <target state="translated">Neplatn XML: {0}</target> <note /> </trans-unit> <trans-unit id="EnvironmentPathLinuxNeedLogout"> <source>Since you just installed the .NET SDK, you will need to logout or restart your session before running the tool you installed.</source> <target state="translated">Prv jste nainstalovali sadu .NET SDK, ped sputnm nainstalovanho nstroje proto bude nutn se odhlsit nebo restartovat relaci.</target> <note /> </trans-unit> <trans-unit id="EnvironmentPathOSXNeedReopen"> <source>Since you just installed the .NET SDK, you will need to reopen terminal before running the tool you installed.</source> <target state="translated">Prv jste nainstalovali sadu .NET SDK, ped sputnm nainstalovanho nstroje proto bude nutn znovu otevt terminl.</target> <note /> </trans-unit> <trans-unit id="EnvironmentPathWindowsNeedReopen"> <source>Since you just installed the .NET SDK, you will need to reopen the Command Prompt window before running the tool you installed.</source> <target state="translated">Prv jste nainstalovali sadu .NET SDK, ped sputnm nainstalovanho nstroje proto bude nutn znovu otevt okno pkazovho dku.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsMissingCommandName"> <source>Tool defines a command with a missing name setting.</source> <target state="translated">Nstroj definuje pkaz s chybjcm nastavenm nzvu.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsMissingEntryPoint"> <source>Command '{0}' is missing an entry point setting.</source> <target state="translated">V pkazu {0} chyb nastaven vstupnho bodu.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsInvalidCommandName"> <source>Command '{0}' contains one or more of the following invalid characters: {1}.</source> <target state="translated">Pkaz {0} obsahuje minimln jeden neplatn znak: {1}.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsMoreThanOneCommand"> <source>More than one command is defined for the tool.</source> <target state="translated">Pro nstroj je definovanch vce pkaz.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsUnsupportedRunner"> <source>Command '{0}' uses unsupported runner '{1}'."</source> <target state="translated">Pkaz {0} pouv nepodporovan spout {1}.</target> <note /> </trans-unit> <trans-unit id="ToolPackageConflictPackageId"> <source>Tool '{0}' (version '{1}') is already installed.</source> <target state="translated">Nstroj {0} (verze {1}) je u nainstalovan.</target> <note /> </trans-unit> <trans-unit id="ShellShimConflict"> <source>Command '{0}' conflicts with an existing command from another tool.</source> <target state="translated">Pkaz {0} koliduje s existujcm pkazem jinho nstroje.</target> <note /> </trans-unit> <trans-unit id="CannotCreateShimForEmptyExecutablePath"> <source>Cannot create shell shim for an empty executable path.</source> <target state="translated">Pro przdnou cestu ke spustitelnmu souboru nelze vytvoit pekryt prosted.</target> <note /> </trans-unit> <trans-unit id="CannotCreateShimForEmptyCommand"> <source>Cannot create shell shim for an empty command.</source> <target state="translated">Pro przdn pkaz nelze vytvoit pekryt prosted.</target> <note /> </trans-unit> <trans-unit id="FailedToRetrieveToolConfiguration"> <source>Failed to retrieve tool configuration: {0}</source> <target state="translated">Nepodailo se nast konfiguraci nstroje: {0}.</target> <note /> </trans-unit> <trans-unit id="EnvironmentPathLinuxManualInstructions"> <source>Tools directory '{0}' is not currently on the PATH environment variable. If you are using bash, you can add it to your profile by running the following command: cat &lt;&lt; \EOF &gt;&gt; ~/.bash_profile # Add .NET Core SDK tools export PATH="$PATH:{0}" EOF You can add it to the current session by running the following command: export PATH="$PATH:{0}" </source> <target state="translated">Adres nstroj {0} se v tuto chvli nenachz v promnn prosted PATH. Pokud pouvte bash, mete ho pidat do profilu tak, e spustte nsledujc pkaz: cat &lt;&lt; \EOF &gt;&gt; ~/.bash_profile # Add .NET Core SDK tools export PATH="$PATH:{0}" EOF Pokud ho chcete pidat do aktuln relace, slou k tomuto tento pkaz: export PATH="$PATH:{0}" </target> <note /> </trans-unit> <trans-unit id="EnvironmentPathWindowsManualInstructions"> <source>Tools directory '{0}' is not currently on the PATH environment variable. You can add the directory to the PATH by running the following command: setx PATH "%PATH%;{0}" </source> <target state="translated">Adres nstroj {0} nen momentln v promnn prosted PATH. Tento adres pidte do promnn PATH sputnm nsledujcho pkazu: setx PATH "%PATH%;{0}" </target> <note /> </trans-unit> <trans-unit id="FailedToCreateShellShim"> <source>Failed to create tool shim for command '{0}': {1}</source> <target state="translated">Pro pkaz {0} se nepodailo vytvoit pekryt nstroje: {1}.</target> <note /> </trans-unit> <trans-unit id="FailedToRemoveShellShim"> <source>Failed to remove tool shim for command '{0}': {1}</source> <target state="translated">Pro pkaz {0} se nepodailo odebrat pekryt nstroje: {1}.</target> <note /> </trans-unit> <trans-unit id="FailedSettingShimPermissions"> <source>Failed to set user executable permissions for shell shim: {0}</source> <target state="translated">Pro pekryt prosted se nepodailo nastavit oprvnn uivatele ke spoutn: {0}.</target> <note /> </trans-unit> <trans-unit id="FailedToInstallToolPackage"> <source>Failed to install tool package '{0}': {1}</source> <target state="translated">Nepodailo se nainstalovat balek nstroje {0}: {1}.</target> <note /> </trans-unit> <trans-unit id="FailedToUninstallToolPackage"> <source>Failed to uninstall tool package '{0}': {1}</source> <target state="translated">Nepodailo se odinstalovat balek nstroje {0}: {1}.</target> <note /> </trans-unit> <trans-unit id="ColumnMaxWidthMustBeGreaterThanZero"> <source>Column maximum width must be greater than zero.</source> <target state="translated">Maximln ka sloupce mus bt vt ne nula.</target> <note /> </trans-unit> <trans-unit id="MissingToolEntryPointFile"> <source>Entry point file '{0}' for command '{1}' was not found in the package.</source> <target state="translated">Soubor vstupnho bodu {0} pro pkaz {1} nebyl v balku nalezen.</target> <note /> </trans-unit> <trans-unit id="MissingToolSettingsFile"> <source>Settings file 'DotnetToolSettings.xml' was not found in the package.</source> <target state="translated">Soubor s nastavenm DotnetToolSettings.xml nebyl v balku nalezen.</target> <note /> </trans-unit> <trans-unit id="FailedToFindStagedToolPackage"> <source>Failed to find staged tool package '{0}'.</source> <target state="translated">Nepodailo se najt pipraven balek nstroje {0}.</target> <note /> </trans-unit> <trans-unit id="ToolSettingsInvalidLeadingDotCommandName"> <source>The command name '{0}' cannot begin with a leading dot (.).</source> <target state="translated">Nzev pkazu {0} neme zanat vodn tekou (.).</target> <note /> </trans-unit> <trans-unit id="FormatVersionIsHigher"> <source>Format version is higher than supported. This tool may not be supported in this SDK version. Update your SDK.</source> <target state="translated">Verze formtu je vy, ne se podporuje. Tento nstroj se mon v tto verzi SDK nepodporuje. Aktualizujte sadu SDK.</target> <note /> </trans-unit> <trans-unit id="FormatVersionIsMalformed"> <source>Format version is malformed. This tool may not be supported in this SDK version. Contact the author of the tool.</source> <target state="translated">Verze formtu je chybn vytvoen. Tento nstroj se mon v tto verzi SDK nepodporuje. Obrate se na autora nstroje.</target> <note /> </trans-unit> <trans-unit id="FormatVersionIsMissing"> <source>Format version is missing. This tool may not be supported in this SDK version. Contact the author of the tool.</source> <target state="translated">Verze formtu chyb. Tento nstroj se mon v tto verzi SDK nepodporuje. Obrate se na autora nstroje.</target> <note /> </trans-unit> <trans-unit id="FailedToSetToolsPathEnvironmentVariable"> <source>Failed to add '{0}' to the PATH environment variable. Add this directory to your PATH to use tools installed with 'dotnet tool install'.</source> <target state="translated">Nepovedlo se pidat adres {0} do promnn prosted PATH. Pidejte tento adres do promnn PATH, abyste mohli pouvat nstroje nainstalovan pomoc dotnet tool install.</target> <note /> </trans-unit> <trans-unit id="MoreThanOnePackagedShimAvailable"> <source>More than one packaged shim is available: {0}.</source> <target state="translated">Je k dispozici vce ne jedno zabalen pekryt: {0}.</target> <note /> </trans-unit> <trans-unit id="FailedToReadNuGetLockFile"> <source>Failed to read NuGet LockFile for tool package '{0}': {1}</source> <target state="translated">Nepovedlo se pest soubor LockFile NuGet pro balek nstroje {0}: {1}</target> <note /> </trans-unit> <trans-unit id="ProjectArgumentName"> <source>PROJECT</source> <target state="translated">PROJECT</target> <note /> </trans-unit> <trans-unit id="ProjectArgumentDescription"> <source>The project file to operate on. If a file is not specified, the command will search the current directory for one.</source> <target state="translated">Soubor projektu, s kterm se m pracovat. Pokud soubor nen zadan, pkaz ho bude hledat v aktulnm adresi.</target> <note /> </trans-unit> <trans-unit id="LevelArgumentName"> <source>LEVEL</source> <target state="translated">LEVEL</target> <note /> </trans-unit> <trans-unit id="FrameworkArgumentName"> <source>FRAMEWORK</source> <target state="translated">FRAMEWORK</target> <note /> </trans-unit> <trans-unit id="RuntimeIdentifierArgumentName"> <source>RUNTIME_IDENTIFIER</source> <target state="translated">RUNTIME_IDENTIFIER</target> <note /> </trans-unit> <trans-unit id="ConfigurationArgumentName"> <source>CONFIGURATION</source> <target state="translated">CONFIGURATION</target> <note /> </trans-unit> <trans-unit id="VersionSuffixArgumentName"> <source>VERSION_SUFFIX</source> <target state="translated">VERSION_SUFFIX</target> <note /> </trans-unit> <trans-unit id="SolutionOrProjectArgumentDescription"> <source>The project or solution file to operate on. If a file is not specified, the command will search the current directory for one.</source> <target state="translated">Soubor projektu nebo een, se kterm se m operace provst. Pokud soubor nen zadan, pkaz ho bude hledat v aktulnm adresi.</target> <note /> </trans-unit> <trans-unit id="SolutionOrProjectArgumentName"> <source>PROJECT | SOLUTION</source> <target state="translated">PROJECT | SOLUTION</target> <note /> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/src/Cli/dotnet/xlf/CommonLocalizableStrings.cs.xlf
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
12,323
```xml <?xml version="1.0" encoding="utf-8"?> <shape xmlns:android="path_to_url"> <stroke android:width="4dp" android:color="@color/selection_frame" /> <solid android:color="@color/selection" /> </shape> ```
/content/code_sandbox/app/src/main/res/drawable/selection_frame.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
60
```xml <vector xmlns:android="path_to_url" android:height="34.0dp" android:tint="?attr/colorControlNormal" android:viewportHeight="512" android:viewportWidth="512" android:width="34.0dp"> <path android:fillColor="@android:color/white" android:pathData="M318.6 9.4c-12.5-12.5-32.8-12.5-45.3 0l-120 120c-12.5 12.5-12.5 32.8 0 45.3l16 16c12.5 12.5 32.8 12.5 45.3 0l4-4L325.4 293.4l-4 4c-12.5 12.5-12.5 32.8 0 45.3l16 16c12.5 12.5 32.8 12.5 45.3 0l120-120c12.5-12.5 12.5-32.8 0-45.3l-16-16c-12.5-12.5-32.8-12.5-45.3 0l-4 4L330.6 74.6l4-4c12.5-12.5 12.5-32.8 0-45.3l-16-16zm-152 288c-12.5-12.5-32.8-12.5-45.3 0l-112 112c-12.5 12.5-12.5 32.8 0 45.3l48 48c12.5 12.5 32.8 12.5 45.3 0l112-112c12.5-12.5 12.5-32.8 0-45.3l-1.4-1.4L272 285.3 226.7 240 168 298.7l-1.4-1.4z"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_preset_fas_gavel.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
467
```xml import { Form, Formik } from 'formik'; import { addPlural } from '@/portainer/helpers/strings'; import { useUpdateEnvironmentsRelationsMutation } from '@/react/portainer/environments/queries/useUpdateEnvironmentsRelationsMutation'; import { notifySuccess } from '@/portainer/services/notifications'; import { BetaAlert } from '@/react/portainer/environments/update-schedules/common/BetaAlert'; import { Checkbox } from '@@/form-components/Checkbox'; import { FormControl } from '@@/form-components/FormControl'; import { OnSubmit, Modal } from '@@/modals'; import { TextTip } from '@@/Tip/TextTip'; import { Button, LoadingButton } from '@@/buttons'; import { WaitingRoomEnvironment } from '../../types'; import { GroupSelector, EdgeGroupsSelector, TagSelector } from './Selectors'; import { FormValues } from './types'; import { isAssignedToGroup } from './utils'; import { createPayload } from './createPayload'; export function AssignmentDialog({ onSubmit, environments, }: { onSubmit: OnSubmit<boolean>; environments: Array<WaitingRoomEnvironment>; }) { const assignRelationsMutation = useUpdateEnvironmentsRelationsMutation(); const initialValues: FormValues = { group: 1, overrideGroup: false, edgeGroups: [], overrideEdgeGroups: false, tags: [], overrideTags: false, }; const hasPreAssignedEdgeGroups = environments.some( (e) => e.EdgeGroups?.length > 0 ); const hasPreAssignedTags = environments.some((e) => e.TagIds.length > 0); const hasPreAssignedGroup = environments.some((e) => isAssignedToGroup(e)); return ( <Modal aria-label="Associate and assignment" onDismiss={() => onSubmit()} size="lg" > <Modal.Header title={`Associate with assignment (${addPlural( environments.length, 'selected edge environment' )})`} /> <Formik onSubmit={handleSubmit} initialValues={initialValues}> {({ values, setFieldValue, errors }) => ( <Form noValidate> <Modal.Body> <div> <FormControl size="vertical" label="Group" tooltip="For managing RBAC with user access" errors={errors.group} > <GroupSelector /> {hasPreAssignedGroup && ( <div className="mt-2"> <Checkbox label="Override pre-assigned group" data-cy="override-group-checkbox" id="overrideGroup" bold={false} checked={values.overrideGroup} onChange={(e) => setFieldValue('overrideGroup', e.target.checked) } /> </div> )} </FormControl> <FormControl size="vertical" label="Edge Groups" tooltip="Required to manage edge job and edge stack deployments" errors={errors.edgeGroups} > <EdgeGroupsSelector /> {hasPreAssignedEdgeGroups && ( <div className="mt-2"> <Checkbox label="Override pre-assigned edge groups" data-cy="override-edge-groups-checkbox" bold={false} id="overrideEdgeGroups" checked={values.overrideEdgeGroups} onChange={(e) => setFieldValue('overrideEdgeGroups', e.target.checked) } /> </div> )} </FormControl> <div className="mb-3"> <TextTip color="blue"> Edge group(s) created here are static only, use tags to assign to dynamic edge groups </TextTip> </div> <FormControl size="vertical" label="Tags" tooltip="Assigning tags will auto populate environments to dynamic edge groups that these tags are assigned to and any ege jobs or stacks that are deployed to that edge group" errors={errors.tags} > <TagSelector /> {hasPreAssignedTags && ( <div className="mt-2"> <Checkbox label="Override pre-assigned tags" data-cy="override-tags-checkbox" bold={false} id="overrideTags" checked={values.overrideTags} onChange={(e) => setFieldValue('overrideTags', e.target.checked) } /> </div> )} </FormControl> </div> </Modal.Body> <Modal.Footer> <Button onClick={() => onSubmit()} color="default" data-cy="waiting-room-cancel-assignment-button" > Cancel </Button> <LoadingButton isLoading={assignRelationsMutation.isLoading} data-cy="waiting-room-associate-button" loadingText="Associating..." > Associate </LoadingButton> </Modal.Footer> <div className="mt-2"> <BetaAlert message={ <> <b>Beta Feature</b> - This feature is currently in beta, some functions might not work as expected. </> } /> </div> </Form> )} </Formik> </Modal> ); function handleSubmit(values: FormValues) { assignRelationsMutation.mutate( Object.fromEntries(environments.map((e) => createPayload(e, values))), { onSuccess: () => { notifySuccess('Success', 'Edge environments assigned successfully'); onSubmit(true); }, } ); } } ```
/content/code_sandbox/app/react/edge/edge-devices/WaitingRoomView/Datatable/AssignmentDialog/AssignmentDialog.tsx
xml
2016-05-19T20:15:28
2024-08-16T19:15:14
portainer
portainer/portainer
30,083
1,160
```xml <?xml version="1.0" encoding="UTF-8" standalone="no"?> <document type="com.apple.InterfaceBuilder3.CocoaTouch.Storyboard.XIB" version="3.0" toolsVersion="9060" systemVersion="14F1713" targetRuntime="iOS.CocoaTouch" propertyAccessControl="none" useAutolayout="YES" useTraitCollections="YES" initialViewController="Ncs-Xj-xVu"> <dependencies> <deployment identifier="iOS"/> <plugIn identifier="com.apple.InterfaceBuilder.IBCocoaTouchPlugin" version="9051"/> </dependencies> <scenes> <!--View Controller--> <scene sceneID="API-40-Yu2"> <objects> <viewController id="Ncs-Xj-xVu" customClass="LYGLViewController" sceneMemberID="viewController"> <layoutGuides> <viewControllerLayoutGuide type="top" id="7so-9W-PkE"/> <viewControllerLayoutGuide type="bottom" id="X0X-QU-Ebl"/> </layoutGuides> <view key="view" contentMode="scaleToFill" id="cDM-gx-J3Q" customClass="LearnView"> <rect key="frame" x="0.0" y="0.0" width="600" height="600"/> <autoresizingMask key="autoresizingMask" widthSizable="YES" heightSizable="YES"/> <subviews> <button opaque="NO" contentMode="scaleToFill" fixedFrame="YES" contentHorizontalAlignment="center" contentVerticalAlignment="center" buttonType="roundedRect" lineBreakMode="middleTruncation" translatesAutoresizingMaskIntoConstraints="NO" id="tGQ-Lw-wep"> <rect key="frame" x="56" y="47" width="30" height="30"/> <state key="normal" title="X"/> <connections> <action selector="onTimer:" destination="cDM-gx-J3Q" eventType="touchUpInside" id="ZSt-tM-8qd"/> </connections> </button> <button opaque="NO" contentMode="scaleToFill" fixedFrame="YES" contentHorizontalAlignment="center" contentVerticalAlignment="center" buttonType="roundedRect" lineBreakMode="middleTruncation" translatesAutoresizingMaskIntoConstraints="NO" id="313-ex-dzu"> <rect key="frame" x="188" y="47" width="30" height="30"/> <state key="normal" title="Y"/> <connections> <action selector="onYTimer:" destination="cDM-gx-J3Q" eventType="touchUpInside" id="Tmc-PH-8fu"/> </connections> </button> </subviews> <color key="backgroundColor" white="1" alpha="1" colorSpace="calibratedWhite"/> </view> </viewController> <placeholder placeholderIdentifier="IBFirstResponder" id="bHb-eK-cpH" userLabel="First Responder" sceneMemberID="firstResponder"/> </objects> <point key="canvasLocation" x="1013" y="233"/> </scene> </scenes> </document> ```
/content/code_sandbox/Tutorial03-三维变换/LearnOpenGLES/Base.lproj/Main.storyboard
xml
2016-03-11T07:58:04
2024-08-16T03:42:56
LearnOpenGLES
loyinglin/LearnOpenGLES
1,618
694
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>CFBundleShortVersionString</key> <string>1.0</string> <key>CFBundleVersion</key> <string>1</string> <key>WKWatchKitApp</key> <true/> <key>WKCompanionAppBundleIdentifier</key> <string>com.firebase.ABTestingExample</string> </dict> </plist> ```
/content/code_sandbox/abtesting/ABTestingExample (watchOS) Info.plist
xml
2016-04-26T17:13:37
2024-08-15T05:40:16
quickstart-ios
firebase/quickstart-ios
2,773
131
```xml <?xml version="1.0" encoding="UTF-8" ?> <class name="VoxelGeneratorGraph" inherits="VoxelGenerator" xmlns:xsi="path_to_url" xsi:noNamespaceSchemaLocation="../../../doc/class.xsd"> <brief_description> Graph-based voxel generator. </brief_description> <description> Generates voxel data from a graph of per-voxel operations. The graph must be created, compiled, and only then blocks can be generated. It can be used with SDF-based smooth terrain, and also blocky terrains. Warning: methods to modify the graph should only be called from the main thread. </description> <tutorials> </tutorials> <methods> <method name="bake_sphere_bumpmap"> <return type="void" /> <param index="0" name="im" type="Image" /> <param index="1" name="ref_radius" type="float" /> <param index="2" name="sdf_min" type="float" /> <param index="3" name="sdf_max" type="float" /> <description> Bakes a spherical bumpmap (or heightmap) using SDF output produced by the generator, if any. The bumpmap uses a panorama projection. [code]ref_radius[/code]: radius of the sphere on which heights will be sampled. [code]strength[/code]: strength of produced normals, may default to 1.0. </description> </method> <method name="bake_sphere_normalmap"> <return type="void" /> <param index="0" name="im" type="Image" /> <param index="1" name="ref_radius" type="float" /> <param index="2" name="strength" type="float" /> <description> Bakes a spherical normalmap using SDF output produced by the generator, if any. The normalmap uses a panorama projection. It is assumed the generator produces a spherical shape (like a planet). Such normalmap can be used to add more detail to distant views of a terrain using this generator. [code]ref_radius[/code]: radius of the sphere on which normals will be sampled. [code]strength[/code]: strength of produced normals, may default to 1.0. Note: an alternative is to use distance normals feature with [VoxelLodTerrain]. </description> </method> <method name="clear"> <return type="void" /> <description> Erases all nodes and connections from the graph. </description> </method> <method name="compile"> <return type="Dictionary" /> <description> Compiles the graph so it can be used to generate blocks. If it succeeds, the returned result is a dictionary with the following layout: [codeblock] { "success": true } [/codeblock] If it fails, the returned result may contain a message and the ID of a graph node that could be the cause: [codeblock] { "success": false, "node_id": int, "message": String } [/codeblock] The node ID will be -1 if the error is not about a particular node. </description> </method> <method name="debug_analyze_range" qualifiers="const"> <return type="Vector2" /> <param index="0" name="min_pos" type="Vector3" /> <param index="1" name="max_pos" type="Vector3" /> <description> </description> </method> <method name="debug_load_waves_preset"> <return type="void" /> <description> </description> </method> <method name="debug_measure_microseconds_per_voxel"> <return type="float" /> <param index="0" name="use_singular_queries" type="bool" /> <description> </description> </method> <method name="get_main_function" qualifiers="const"> <return type="VoxelGraphFunction" /> <description> </description> </method> </methods> <members> <member name="debug_block_clipping" type="bool" setter="set_debug_clipped_blocks" getter="is_debug_clipped_blocks" default="false"> When enabled, if the graph outputs SDF data, generated blocks that would otherwise be clipped will be inverted. This has the effect of them showing up as "walls artifacts", which is useful to visualize where the optimization occurs. </member> <member name="sdf_clip_threshold" type="float" setter="set_sdf_clip_threshold" getter="get_sdf_clip_threshold" default="1.5"> When generating SDF blocks for a terrain, if the range analysis of a block is beyond this threshold, its SDF data will be considered either fully 1, or fully -1. This optimizes memory and processing time. </member> <member name="subdivision_size" type="int" setter="set_subdivision_size" getter="get_subdivision_size" default="16"> When generating SDF blocks for a terrain, and if block size is divisible by this value, range analysis will operate on such subdivision. This allows to optimize away more precise areas. However, it may not be set too small otherwise overhead will outweight the benefits. </member> <member name="use_optimized_execution_map" type="bool" setter="set_use_optimized_execution_map" getter="is_using_optimized_execution_map" default="true"> If enabled, when generating blocks for a terrain, the generator will attempt to skip specific nodes if they are found to have no importance in specific areas. </member> <member name="use_subdivision" type="bool" setter="set_use_subdivision" getter="is_using_subdivision" default="true"> If enabled, [member subdivision_size] will be used. </member> <member name="use_xz_caching" type="bool" setter="set_use_xz_caching" getter="is_using_xz_caching" default="true"> If enabled, the generator will run only once branches of the graph that only depend on X and Z. This is effective when part of the graph generates a heightmap, as this part is not volumetric. </member> </members> <signals> <signal name="node_name_changed"> <param index="0" name="node_id" type="int" /> <description> </description> </signal> </signals> </class> ```
/content/code_sandbox/doc/classes/VoxelGeneratorGraph.xml
xml
2016-05-01T21:44:28
2024-08-16T18:52:42
godot_voxel
Zylann/godot_voxel
2,550
1,521
```xml export function isCommonjs() { return typeof module !== "undefined" && typeof exports !== "undefined"; } export function isEsm() { return !isCommonjs(); } ```
/content/code_sandbox/packages/orm/prisma/src/generator/utils/sourceType.ts
xml
2016-02-21T18:38:47
2024-08-14T21:19:48
tsed
tsedio/tsed
2,817
39
```xml import childProcess from 'child_process'; import os from 'os'; import { syncBuiltinESMExports } from 'module'; import { DryRunResult, DryRunStatus, TestStatus } from '@stryker-mutator/api/test-runner'; import { errorToString } from '@stryker-mutator/util'; import { expect } from 'chai'; import sinon from 'sinon'; import { factory, assertions } from '@stryker-mutator/test-helpers'; import { CommandRunnerOptions } from '@stryker-mutator/api/core'; import { CommandTestRunner } from '../../../src/test-runner/command-test-runner.js'; import { objectUtils } from '../../../src/utils/object-utils.js'; import { ChildProcessMock } from '../../helpers/child-process-mock.js'; describe(CommandTestRunner.name, () => { let childProcessMock: ChildProcessMock; let killStub: sinon.SinonStub; let clock: sinon.SinonFakeTimers; let execMock: sinon.SinonStubbedMember<typeof childProcess.exec>; beforeEach(() => { clock = sinon.useFakeTimers(); childProcessMock = new ChildProcessMock(42); execMock = sinon.stub(childProcess, 'exec').returns(childProcessMock as childProcess.ChildProcess); killStub = sinon.stub(objectUtils, 'kill'); syncBuiltinESMExports(); }); describe(CommandTestRunner.prototype.dryRun.name, () => { it('should run `npm test` by default', async () => { await actDryRun(createSut(undefined, 'foobarDir')); expect(execMock).calledWith('npm test', { cwd: 'foobarDir', env: process.env }); }); it('should allow other commands using configuration', async () => { await actDryRun(createSut({ command: 'some other command' })); expect(execMock).calledWith('some other command'); }); it('should report successful test when the exit code = 0', async () => { const result = await actDryRun(undefined, 0, 42); const expectedResult: DryRunResult = { status: DryRunStatus.Complete, tests: [{ id: 'all', name: 'All tests', status: TestStatus.Success, timeSpentMs: 42 }], }; expect(result).deep.eq(expectedResult); }); it('should report failed test when the exit code != 0', async () => { const sut = createSut(); const resultPromise = sut.dryRun(); childProcessMock.stdout.emit('data', 'x Test 1 failed'); childProcessMock.stderr.emit('data', '1 != 2'); childProcessMock.emit('exit', 1); const result = await resultPromise; const expectedResult: DryRunResult = { status: DryRunStatus.Complete, tests: [{ id: 'all', name: 'All tests', status: TestStatus.Failed, timeSpentMs: 0, failureMessage: `x Test 1 failed${os.EOL}1 != 2` }], }; expect(result).deep.eq(expectedResult); }); it('should report error on error and kill the process', async () => { killStub.resolves(); const expectedError = new Error('foobar error'); const sut = createSut(); const resultPromise = sut.dryRun(); childProcessMock.emit('error', expectedError); const result = await resultPromise; const expectedResult: DryRunResult = { errorMessage: errorToString(expectedError), status: DryRunStatus.Error, }; expect(result).deep.eq(expectedResult); }); it('should remove all listeners on exit', async () => { await actDryRun(); expect(childProcessMock.listenerCount('exit')).eq(0); expect(childProcessMock.listenerCount('error')).eq(0); expect(childProcessMock.stdout.listenerCount('data')).eq(0); expect(childProcessMock.stderr.listenerCount('data')).eq(0); }); }); describe(CommandTestRunner.prototype.mutantRun.name, () => { it('should run with __ACTIVE_MUTANT__ environment variable active', async () => { const sut = createSut(undefined, 'foobarDir'); await actMutantRun(sut, { activeMutantId: '0' }); expect(execMock).calledWith('npm test', { cwd: 'foobarDir', env: { ...process.env, __STRYKER_ACTIVE_MUTANT__: '0' } }); }); it('should convert exit code 0 to a survived mutant', async () => { const result = await actMutantRun(createSut(), { exitCode: 0 }); assertions.expectSurvived(result); }); it('should convert exit code 1 to a killed mutant', async () => { const result = await actMutantRun(createSut(), { exitCode: 1 }); assertions.expectKilled(result); expect(result.killedBy).deep.eq(['all']); }); }); describe('dispose', () => { it('should kill any running process', async () => { killStub.resolves(); const sut = createSut(); void sut.dryRun(); await sut.dispose(); expect(killStub).calledWith(childProcessMock.pid); }); it('should resolve running processes in a timeout', async () => { const sut = createSut(); const resultPromise = sut.dryRun(); await sut.dispose(); const result = await resultPromise; expect(result.status).eq(DryRunStatus.Timeout); }); it('should not kill anything if running process was already resolved', async () => { const sut = createSut(); await actDryRun(sut); await sut.dispose(); expect(killStub).not.called; }); }); function actDryRun(sut: CommandTestRunner = createSut(), exitCode = 0, elapsedTimeMS = 0) { const resultPromise = sut.dryRun(); clock.tick(elapsedTimeMS); actTestProcessEnds(exitCode); return resultPromise; } function actMutantRun(sut: CommandTestRunner = createSut(), { exitCode = 0, activeMutantId = '0' }) { const resultPromise = sut.mutantRun({ activeMutant: factory.mutant({ id: activeMutantId }) }); actTestProcessEnds(exitCode); return resultPromise; } function createSut(settings?: CommandRunnerOptions, workingDir = 'workingDir') { const strykerOptions = factory.strykerOptions(); if (settings) { strykerOptions.commandRunner = settings; } return new CommandTestRunner(workingDir, strykerOptions); } function actTestProcessEnds(exitCode: number) { childProcessMock.emit('exit', exitCode); } }); ```
/content/code_sandbox/packages/core/test/unit/test-runner/command-test-runner.spec.ts
xml
2016-02-12T13:14:28
2024-08-15T18:38:25
stryker-js
stryker-mutator/stryker-js
2,561
1,474
```xml import supertest from 'supertest'; import { describe, expect, test, vi } from 'vitest'; import { API_ERROR, HEADERS, HEADER_TYPE, HTTP_STATUS, TOKEN_BEARER } from '@verdaccio/core'; import { buildToken } from '@verdaccio/utils'; import { createUser, getPackage, initializeServer } from './_helper'; const FORBIDDEN_VUE = 'authorization required to access package vue'; vi.setConfig({ testTimeout: 20000 }); describe('token', () => { describe('basics', () => { const FAKE_TOKEN: string = buildToken(TOKEN_BEARER, 'fake'); test.each([['user.yaml'], ['user.jwt.yaml']])('should test add a new user', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'JotaJWT', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const vueResponse = await getPackage(app, response.body.token, 'vue'); expect(vueResponse.body).toBeDefined(); expect(vueResponse.body.name).toMatch('vue'); const vueFailResp = await getPackage(app, FAKE_TOKEN, 'vue', HTTP_STATUS.UNAUTHORIZED); expect(vueFailResp.body.error).toMatch(FORBIDDEN_VUE); }); test.each([['user.yaml'], ['user.jwt.yaml']])('should login an user', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'test', password: 'test' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: credentials.password, }) .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.CREATED); }); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should fails login a valid user', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'test', password: 'test' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: 'failPassword', }) .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.UNAUTHORIZED); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should test conflict create new user', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'JotaJWT', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const response2 = await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: credentials.password, }) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.CONFLICT); expect(response2.body.error).toBe(API_ERROR.USERNAME_ALREADY_REGISTERED); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should fails on login if user credentials are invalid', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'newFailsUser', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const response2 = await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: 'BAD_PASSWORD', }) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.UNAUTHORIZED); expect(response2.body.error).toBe(API_ERROR.UNAUTHORIZED_ACCESS); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should fails password validation', async (conf) => { const credentials = { name: 'test', password: '12' }; const app = await initializeServer(conf); const response = await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: credentials.password, }) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.BAD_REQUEST); expect(response.body.error).toBe(API_ERROR.PASSWORD_SHORT); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should fails missing password validation', async (conf) => { const credentials = { name: 'test' }; const app = await initializeServer(conf); const response = await supertest(app) .put(`/-/user/org.couchdb.user:${credentials.name}`) .send({ name: credentials.name, password: undefined, }) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.BAD_REQUEST); expect(response.body.error).toBe(API_ERROR.PASSWORD_SHORT); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should verify if user is logged', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'jota', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const response2 = await supertest(app) .get(`/-/user/org.couchdb.user:${credentials.name}`) .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.OK); expect(response2.body.ok).toBe(`you are authenticated as '${credentials.name}'`); expect(response2.body.name).toBe(credentials.name); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should return name of requested user', async (conf) => { const app = await initializeServer(conf); const username = 'yeti'; const credentials = { name: 'jota', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const response3 = await supertest(app) .get(`/-/user/org.couchdb.user:${username}`) .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.OK); expect(response3.body.ok).toBe(`you are authenticated as '${credentials.name}'`); expect(response3.body.name).toBe(username); } ); test.each([['user.yaml'], ['user.jwt.yaml']])('should logout user', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'jota', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); await supertest(app) .get(`/-/user/org.couchdb.user:${credentials.name}`) .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.OK); await supertest(app) .delete(`/-/user/token/someSecretToken:${response.body.token}`) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.OK); }); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should return "false" if user is not logged in', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'jota', password: '' }; const response = await supertest(app) .get(`/-/user/org.couchdb.user:${credentials.name}`) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.OK); expect(response.body.ok).toBe(false); } ); test.each([['user.yaml'], ['user.jwt.yaml']])( 'should fail if URL does not match user in request body', async (conf) => { const app = await initializeServer(conf); const credentials = { name: 'jota', password: 'secretPass' }; const response = await createUser(app, credentials.name, credentials.password); expect(response.body.ok).toMatch(`user '${credentials.name}' created`); const response2 = await supertest(app) .put('/-/user/org.couchdb.user:yeti') // different user .set(HEADERS.AUTHORIZATION, buildToken(TOKEN_BEARER, response.body.token)) .send({ name: credentials.name, password: credentials.password, }) .expect(HEADER_TYPE.CONTENT_TYPE, HEADERS.JSON_CHARSET) .expect(HTTP_STATUS.BAD_REQUEST); expect(response2.body.error).toBe(API_ERROR.USERNAME_MISMATCH); } ); }); }); ```
/content/code_sandbox/packages/api/test/integration/user.spec.ts
xml
2016-04-15T16:21:12
2024-08-16T09:38:01
verdaccio
verdaccio/verdaccio
16,189
2,140
```xml export { codegen } from './codegen.js'; export { executePlugin, ExecutePluginOptions } from './execute-plugin.js'; ```
/content/code_sandbox/packages/graphql-codegen-core/src/index.ts
xml
2016-12-05T19:15:11
2024-08-15T14:56:08
graphql-code-generator
dotansimha/graphql-code-generator
10,759
26
```xml export declare function setLocationHref(href: string): void; export declare function install(): void; //# sourceMappingURL=Location.native.d.ts.map ```
/content/code_sandbox/packages/@expo/metro-runtime/build/location/Location.native.d.ts
xml
2016-08-15T17:14:25
2024-08-16T19:54:44
expo
expo/expo
32,004
27
```xml <project xmlns="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.zheng</groupId> <artifactId>zheng-oss</artifactId> <version>1.0.0</version> </parent> <artifactId>zheng-oss-sdk</artifactId> <packaging>jar</packaging> <name>zheng-oss-sdk</name> <url>path_to_url <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> </properties> <dependencies> <dependency> <groupId>com.zheng</groupId> <artifactId>zheng-common</artifactId> <version>1.0.0</version> <type>jar</type> </dependency> <!-- --> <dependency> <groupId>com.qiniu</groupId> <artifactId>qiniu-java-sdk</artifactId> <version>[7.0.0, 7.1.99]</version> </dependency> <!-- OSS --> <dependency> <groupId>com.aliyun.oss</groupId> <artifactId>aliyun-sdk-oss</artifactId> <version>2.5.0</version> </dependency> </dependencies> <build> <finalName>zheng-oss-sdk</finalName> <resources> <resource> <directory>src/main/java</directory> <includes> <include>**/*.xml</include> </includes> <filtering>true</filtering> </resource> <resource> <directory>src/main/resources</directory> </resource> </resources> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-surefire-plugin</artifactId> <version>2.18.1</version> <configuration> <skipTests>true</skipTests> <testFailureIgnore>true</testFailureIgnore> </configuration> </plugin> </plugins> </build> </project> ```
/content/code_sandbox/zheng-oss/zheng-oss-sdk/pom.xml
xml
2016-10-04T10:07:06
2024-08-16T07:00:44
zheng
shuzheng/zheng
16,660
496
```xml <?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="path_to_url" package="com.journaldev.androidcalendarview"> <application android:allowBackup="true" android:icon="@mipmap/ic_launcher" android:label="@string/app_name" android:roundIcon="@mipmap/ic_launcher_round" android:supportsRtl="true" android:theme="@style/AppTheme"> <activity android:name=".MainActivity"> <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> </activity> </application> </manifest> ```
/content/code_sandbox/Android/AndroidCalendarView/app/src/main/AndroidManifest.xml
xml
2016-05-02T05:43:21
2024-08-16T06:51:39
journaldev
WebJournal/journaldev
1,314
153
```xml <Documentation> <Docs DocId="T:UIKit.UICollectionViewLayout"> <summary>Base class for specifying the layout of a <see cref="T:UIKit.UICollectionView" />.</summary> <remarks> <para> Collection Views allow content to be displayed using arbitrary layouts. Grid-like layouts can use the <see cref="T:UIKit.UICollectionViewFlowLayout" /> or application developers can subtype <see cref="T:UIKit.UICollectionViewLayout" /> to create their own flexible pattern. </para> <para>The layout of the <see cref="T:UIKit.UICollectionViewCell" />s in a <see cref="T:UIKit.UICollectionView" /> is controlled by a <see cref="T:UIKit.UICollectionViewLayout" />, which can be passed in to the <format type="text/html"><a href="path_to_url" title="C:UIKit.UICollectionView(UICollectionViewLayout)">C:UIKit.UICollectionView(UICollectionViewLayout)</a></format> constructor or can changed with <see cref="M:UIKit.UICollectionView.SetCollectionViewLayout*" />. </para> <para>Application developers can create fully custom layouts by subclassing either <see cref="T:UIKit.UICollectionViewFlowLayout" /> or <see cref="T:UIKit.UICollectionViewLayout" />. </para> <para> The key methods to override are: </para> <para> <list type="table"> <listheader> <term>Method</term> <description>Description</description> </listheader> <item> <term> <see cref="M:UIKit.UICollectionViewLayout.PrepareLayout" /> </term> <description>Used for performing initial geometric calculations that will be used throughout the layout process.</description> </item> <item> <term> <see cref="P:UIKit.UICollectionViewLayout.CollectionViewContentSize" /> </term> <description> Returns the size of the area used to display content. </description> </item> <item> <term> <see cref="M:UIKit.UICollectionViewLayout.LayoutAttributesForElementsInRect(CoreGraphics.CGRect)" /> </term> <description>Returns the layout attributes for all the cells and views within the specified rectangle. </description> </item> <item> <term> <see cref="M:UIKit.UICollectionViewLayout.LayoutAttributesForItem(Foundation.NSIndexPath)" /> </term> <description>The layout attributes of a specific cell </description> </item> <item> <term> <see cref="M:UIKit.UICollectionViewLayout.ShouldInvalidateLayoutForBoundsChange(CoreGraphics.CGRect)" /> </term> <description>Returns <see langword="true" /> if the new bounds require an update of the layout.</description> </item> </list> </para> <para>The following code, taken from the "Introduction to Collection Views" class, creates a circular layout, as shown in the following image:</para> <example> <code lang="csharp lang-csharp"><![CDATA[ public override UICollectionViewLayoutAttributes LayoutAttributesForItem (NSIndexPath path) { UICollectionViewLayoutAttributes attributes = UICollectionViewLayoutAttributes.CreateForCell (path); attributes.Size = new SizeF (ItemSize, ItemSize); attributes.Center = new PointF (center.X + radius * (float)Math.Cos (2 * path.Row * Math.PI / cellCount), center.Y + radius * (float)Math.Sin (2 * path.Row * Math.PI / cellCount)); return attributes; } ]]></code> </example> <para> <img href="~/UIKit/_images/UIKit.UICollectionView.CircleLayout.png" alt="Screenshot showing a circular layout" /> </para> </remarks> <related type="article" href="path_to_url">Introduction to Collection Views</related> <related type="externalDocumentation" href="path_to_url">Apple documentation for <c>UICollectionViewLayout</c></related> </Docs> </Documentation> ```
/content/code_sandbox/docs/api/UIKit/UICollectionViewLayout.xml
xml
2016-04-20T18:24:26
2024-08-16T13:29:19
xamarin-macios
xamarin/xamarin-macios
2,436
867
```xml import { BuiltLogic, LogicWrapper } from './types' export function isLogicWrapper(logic: any): logic is LogicWrapper { return '_isKea' in logic } export function isBuiltLogic(logic: any): logic is BuiltLogic { return '_isKeaBuild' in logic } export const shallowCompare = (obj1: Record<string, any>, obj2: Record<string, any>) => { const keys1 = Object.keys(obj1) const keys2 = Object.keys(obj2) return keys1.length === keys2.length && keys1.every((key) => obj2.hasOwnProperty(key) && obj1[key] === obj2[key]) } ```
/content/code_sandbox/src/utils.ts
xml
2016-03-29T08:30:54
2024-08-10T20:41:40
kea
keajs/kea
1,933
143
```xml import { handleError } from '../../util/error'; import Client from '../../util/client'; import { parseArguments } from '../../util/get-args'; import getSubcommand from '../../util/get-subcommand'; import { help } from '../help'; import ls from './ls'; import rm from './rm'; import set from './set'; import { aliasCommand } from './command'; import { getFlagsSpecification } from '../../util/get-flags-specification'; const COMMAND_CONFIG = { default: ['set'], ls: ['ls', 'list'], rm: ['rm', 'remove'], set: ['set'], }; export default async function alias(client: Client) { let parsedArguments; const flagsSpecification = getFlagsSpecification(aliasCommand.options); try { parsedArguments = parseArguments(client.argv.slice(2), flagsSpecification); } catch (err) { handleError(err); return 1; } if (parsedArguments.flags['--help']) { client.output.print(help(aliasCommand, { columns: client.stderr.columns })); return 2; } const { subcommand, args } = getSubcommand( parsedArguments.args.slice(1), COMMAND_CONFIG ); switch (subcommand) { case 'ls': return ls(client, parsedArguments.flags, args); case 'rm': return rm(client, parsedArguments.flags, args); default: return set(client, parsedArguments.flags, args); } } ```
/content/code_sandbox/packages/cli/src/commands/alias/index.ts
xml
2016-09-09T01:12:08
2024-08-16T17:39:45
vercel
vercel/vercel
12,545
305
```xml import { commitLocalUpdate, Environment } from "relay-runtime"; import { CoralContext } from "coral-framework/lib/bootstrap"; import { createMutation, createMutationContainer, LOCAL_ID, } from "coral-framework/lib/relay"; import { SetMainTabEvent } from "coral-stream/events"; export interface SetActiveTabInput { tab: "COMMENTS" | "PROFILE" | "DISCUSSIONS" | "%future added value"; } export type SetActiveTabMutation = (input: SetActiveTabInput) => Promise<void>; export async function commit( environment: Environment, input: SetActiveTabInput, { eventEmitter }: Pick<CoralContext, "eventEmitter"> ) { return commitLocalUpdate(environment, (store) => { const record = store.get(LOCAL_ID)!; if (record.getValue("activeTab") !== input.tab) { SetMainTabEvent.emit(eventEmitter, { tab: input.tab }); record.setValue(input.tab, "activeTab"); } }); } export const Mutation = createMutation("setActiveTab", commit); export const withSetActiveTabMutation = createMutationContainer( "setActiveTab", commit ); ```
/content/code_sandbox/client/src/core/client/stream/App/SetActiveTabMutation.ts
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
252
```xml <?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="path_to_url" package="github.nisrulz.example.bottomsheet"> <application android:allowBackup="true" android:icon="@mipmap/ic_launcher" android:label="@string/app_name" android:supportsRtl="true" android:theme="@style/AppTheme"> <activity android:name=".MainActivity" android:exported="true"> <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> </activity> </application> </manifest> ```
/content/code_sandbox/BottomSheet/app/src/main/AndroidManifest.xml
xml
2016-02-25T11:06:48
2024-08-07T21:41:59
android-examples
nisrulz/android-examples
1,747
153
```xml export const input = { title: 'Referencing Combined', type: 'object', properties: { foo: { $ref: 'test/resources/ReferencedCombinationType.json', }, }, required: ['foo'], additionalProperties: false, } export const options = { declareExternallyReferenced: true, } ```
/content/code_sandbox/test/e2e/ref.6a.ts
xml
2016-03-22T03:56:58
2024-08-12T18:37:05
json-schema-to-typescript
bcherny/json-schema-to-typescript
2,877
75
```xml /* eslint-disable max-statements, complexity */ import { SubAppDef, SubAppFeatureFactory, SubAppFeature, FeatureDecorator } from "@xarc/subapp"; import { Provider } from "react-redux"; import { combineReducers, createStore, Reducer } from "redux"; // // re-export redux as Redux etc // export * as Redux from "redux"; export { combineReducers, createStore, Reducer, bindActionCreators, applyMiddleware } from "redux"; // // re-export react-redux as ReactRedux etc // export * as ReactRedux from "react-redux"; export { connect, Provider, batch, useSelector, useDispatch, useStore } from "react-redux"; /** * redux decorator params */ export type ReduxDecoratorParams = { /** initial state */ initialState: unknown; /** reducers */ reducers: unknown; }; /** * redux decorator result */ export type ReduxDecoratorResult = { /** store if the decorator created one */ store: any; }; /** * Redux feature decorator */ export type ReduxFeatureDecorator = FeatureDecorator< ReduxFeature, // eslint-disable-line no-use-before-define ReduxDecoratorParams, ReduxDecoratorResult >; /** * options for redux feature */ export type ReduxFeatureOptions = { /** * add redux decorators to the redux feature. * * decorators: `@xarc/react-redux-observable` */ decorators?: ReduxFeatureDecorator[]; /** * The React module. * * This is needed for the redux feature to wrap subapp's component inside * the Redux Provider component. */ React: Partial<{ createElement: unknown }>; /** * Configure the redux store to use * * - `true` - share with an automatically provided global store * - `false` - internal private store available to the subapp instance only * - string - name a store for sharing - other subapps can share the same store * using the name */ shareStore?: string | boolean; /** * specify redux reducer or object of named reducers * * - If it's an object, then it should be an object of named reducers * - If it's `true`, then the subapp module should export the named reducers as `reduxReducers` * - If it's a function, then it's used as the reducer */ reducers?: Reducer<unknown, any> | Record<string, Reducer<unknown, any>> | boolean; /** * prepare redux initial state * * @param initialState - when SSR sent initialState used, it will be passed. The client * `prepare` can just return `{initialState}` as is. * * @returns Promise<{initialState: any}> */ prepare(initialState: any): Promise<any>; }; /** * redux support for a subapp */ export type ReduxFeature = SubAppFeature & { options: ReduxFeatureOptions; wrap: (_: any) => any; Provider: typeof Provider; createStore: typeof createStore; prepare: any; _store: any; }; /** * Add support for Redux to a subapp * * @param options - redux feature options * @returns unknown */ export function reduxFeature(options: ReduxFeatureOptions): SubAppFeatureFactory { const { createElement } = options.React; // eslint-disable-line const id = "state-provider"; const subId = "react-redux"; const add = (subapp: SubAppDef) => { const redux: Partial<ReduxFeature> = { id, subId }; subapp._features.redux = redux as SubAppFeature; // _store: the shared store for redux // createStore: callback to create store // wrap: callback to wrap component with redux redux.options = options; redux.wrap = ({ Component, store }) => { return ( <Provider store={store}> <Component /> </Provider> ); }; redux.Provider = Provider; redux.createStore = (reducer, initialState) => { return createStore(reducer || (x => x), initialState); }; redux.prepare = options.prepare; redux.execute = async function ({ input, csrData, reload }) { let initialState: any; let reducers = options.reducers; const decorators = options.decorators; if (reload) { // // reload is only for the client side, and store would be created already, so // we don't need initialState and we just assign it to {} // initialState = {}; // replace the reducers maybe have been updated. if (reducers === true) { reducers = subapp._module.reduxReducers; if (typeof reducers === "object") { reducers = combineReducers(reducers) as Reducer<unknown, any>; } redux._store.replaceReducer(reducers); } } else { const props = csrData && (await csrData.getInitialState()); if (reducers === true) { reducers = subapp._module.reduxReducers; } if (typeof reducers === "object") { reducers = combineReducers(reducers) as Reducer<unknown, any>; } initialState = (await options.prepare(props)).initialState; if (decorators) { for (const decor of decorators) { const { store } = decor.decorate(redux as ReduxFeature, { reducers, initialState }); if (store) { redux._store = store; } } } if (!redux._store) { redux._store = createStore((reducers as Reducer<unknown, any>) || (x => x), initialState); } } return { Component: () => this.wrap({ Component: input.Component || subapp._getExport()?.Component, store: redux._store }), props: initialState }; }; return subapp; }; return { id, subId, add }; } ```
/content/code_sandbox/packages/xarc-react-redux/src/common/index.tsx
xml
2016-09-06T19:02:39
2024-08-11T11:43:11
electrode
electrode-io/electrode
2,103
1,262
```xml <?xml version="1.0" encoding="UTF-8"?> <!-- IMPORTANT Do not edit this file directly! This makes it very difficult for me to continue to maintain the translation. Pull requests in which this file is modified cannot be accepted. In the file howTo.md you can find more details about translations. --><resources> <string name="addr">Address</string> <string name="tableOfContent">Table of Contents</string> <string name="general">General</string> <string name="revision">Revision</string> <string name="date">Date</string> <string name="settings">The following describes the available settings of the simulator.</string> <string name="maxValue">maximum</string> <string name="attr_dialogTitle">Attributes</string> <string name="attr_openCircuit">Open Circuit</string> <string name="attr_openCircuitLabel">Included circuit:</string> <string name="attr_openCircuit_tt">Opens the circuit in a new window.</string> <string name="attr_help">Help</string> <string name="attr_help_tt">Shows a short description of this element.</string> <string name="attr_panel_primary">Basic</string> <string name="attr_panel_secondary">Advanced</string> <string name="btn_discard">Discard Changes</string> <string name="btn_edit">Edit</string> <string name="btn_editFurther">Continue editing</string> <string name="btn_load">Load</string> <string name="btn_save">Save</string> <string name="btn_create">Create</string> <string name="btn_create_tt">Create a circuit in a separate window</string> <string name="btn_editDetached">Edit detached</string> <string name="btn_editDetached_tt">Opens the dialog as a non modal dialog</string> <string name="btn_openInBrowser_tt">Opens help text in the browser. Allows to print the text.</string> <string name="btn_clearData">Clear</string> <string name="btn_clearData_tt">All values are set to zero!</string> <string name="btn_addTransitions">Transitions</string> <string name="btn_addTransitions_tt">All possible transitions are added as test cases. Is used to create test cases to test the simulator itself.</string> <string name="btn_newName">New Name</string> <string name="btn_saveAnyway">Save anyway</string> <string name="btn_overwrite">Overwrite</string> <string name="btn_apply">Apply</string> <string name="btn_editRom_tt">Edits the content of the selected ROM/EEPROM</string> <string name="btn_clearRom_tt">Removes the stored data for the selected ROM. The content which is stored in the ROM directly is used instead.</string> <string name="btn_saveTemplate_tt">Creates an SVG template which can then be edited with Inkscape.</string> <string name="btn_loadSvg">Import</string> <string name="btn_loadSvg_tt">Import an SVG file. To create a suitable SVG file, it is easiest to first create a SVG template and then edit it.</string> <string name="msg_warning">Warning</string> <string name="cancel">Cancel</string> <string name="expression">Expression</string> <string name="elem_Help_inputs">Inputs</string> <string name="elem_Help_outputs">Outputs</string> <string name="elem_Help_attributes">Attributes</string> <string name="msg_search">search</string> <string name="msg_errorPastingData">Error at pasting data!</string> <string name="elem_Basic_In">The {0}. input value for the logic operation.</string> <string name="elem_Basic_Out">Returns the result of the logic operation.</string> <string name="elem_And_tt">Binary AND gate. Returns high only if all inputs are also set high. It is also possible to use buses with several bits as inputs and output. In this case, a bitwise AND is executed. This means that the lowest bits of all inputs are connected with AND and is output as the lowest bit at the output. The same happens with bit 1, bit 2 and so on.</string> <string name="elem_NAnd_tt">A combination of AND and NOT. Returns 0 only if all inputs are set to 1. If one of the inputs is set to 0 the output is set to 1. It is also possible to use buses with several bits per input. In this case, the operation is applied to each bit of the inputs.</string> <string name="elem_Or_tt">Binary OR gate. Returns a 1 if one of the inputs is set to 1. If all inputs are set to 0 the output is also set to 0. It is also possible to use buses with several bits as inputs and output. In this case, a bitwise OR is executed. This means that the lowest bits of all inputs are connected with OR and is output as the lowest bit at the output. The same happens with bit 1, bit 2 and so on.</string> <string name="elem_NOr_tt">A combination of OR and NOT. Returns a 0 if one of the inputs is set to 1. If all inputs are set to 0 the output is also set to 1. It is also possible to use buses with several bits per input. In this case, the operation is applied to each bit of the inputs.</string> <string name="elem_XOr_tt">If two inputs are used, the output is 0 if both input bits are equal. Otherwise the output in set to 1. If more than two inputs are used, it behaves like cascaded XOR gates ( A XOR B XOR C = (A XOR B) XOR C ). It is also possible to use buses with several bits per input. In this case, the operation is applied to each bit of the inputs.</string> <string name="elem_XNOr_tt">A combination of XOR and NOT. The inputs are combined with the XOR operation. The result of this operation is then inverted. It is also possible to use buses with several bits per input. In this case, the operation is applied to each bit of the inputs.</string> <string name="elem_Not_tt">Inverts the input value. A 1 becomes a 0 and a 0 becomes 1. It is also possible to use a bus with several bits per input. In this case, the operation is applied to each bit of the inputs.</string> <string name="elem_Not_pin_in">The input of the NOT gate.</string> <string name="elem_Not_pin_out">The inverted input value.</string> <string name="elem_LookUpTable">Lookup Table</string> <string name="elem_LookUpTable_tt">Gets the output value from a stored table. So this gate can emulate every combinatorial gate.</string> <string name="elem_LookUpTable_pin_in">Input {0}. This input in combination with all other inputs defines the address of the stored value to be returned.</string> <string name="elem_LookUpTable_pin_out">Returns the stored value at the address set via the inputs.</string> <string name="elem_Delay">Delay</string> <string name="elem_Delay_tt">Delays the signal by one propagation delay time. Delays a signal for an adjustable number of gate delays. All other components in Digital have a gate delay of one propagation delay time. This component can be used to realize any necessary propagation delay.</string> <string name="elem_Delay_pin_in">Input of the signal to be delayed.</string> <string name="elem_Delay_pin_out">The input signal delayed by one gate delay time.</string> <string name="elem_Out">Output</string> <string name="elem_Out_tt">Can be used to display an output signal in a circuit. This element is also used to connect a circuit to an embedding circuit. In this case the connection is bidirectional. Is also used to assign a pin number, if the code for a CPLD or FPGA is generated.</string> <string name="elem_Out_pin_in">This value is used for the output connection.</string> <string name="elem_LED_tt">A LED can be used to visualize an output value. Accepts a single bit. Lights up if the input is set to 1.</string> <string name="elem_LED_pin_in">LED Input. LED lights up if the input is set to 1.</string> <string name="elem_RGBLED">RGB-LED</string> <string name="elem_RGBLED_tt">An RGB LED whose color can be controlled via three inputs. At each of the three inputs, a color channel is connected.</string> <string name="elem_RGBLED_pin_R">The red color channel.</string> <string name="elem_RGBLED_pin_G">The green color channel.</string> <string name="elem_RGBLED_pin_B">The blue color channel.</string> <string name="elem_In">Input</string> <string name="elem_In_tt">Can be used to interactively manipulate an input signal in a circuit with the mouse. This element is also used to connect a circuit to an embedding circuit. In this case the connection is bidirectional. Is also used to assign an pin number, if code for a CPLD or FPGA is generated.</string> <string name="elem_In_pin_out">Gives the value which is connected to this input.</string> <string name="elem_DipSwitch">DIP Switch</string> <string name="elem_DipSwitch_tt">Simple DIP switch that can output either high or low.</string> <string name="elem_DipSwitch_pin_out">The output value of the switch.</string> <string name="elem_Clock">Clock Input</string> <string name="elem_Clock_tt">A clock signal. It's possible to control it by a real-time clock. Depending on the complexity of the circuit, the clock frequency achieved may be less than the selected value. If the frequency is greater than 50Hz, the graphic representation of the circuit will no longer be updated at every clock cycle so that the wire colors will no longer be updated. If the real-time clock is not activated, the clock can be controlled by mouse clicks. Is also used to assign an pin number, if code for a CPLD or FPGA is generated.</string> <string name="elem_Clock_pin_C">Switches between 0 and 1 with the selected clock frequency.</string> <string name="elem_Button">Button</string> <string name="elem_Button_tt">A simple push button which goes back to its original state when it is released.</string> <string name="elem_Button_pin_out">The output signal of the button.</string> <string name="elem_ButtonLED">Button with LED</string> <string name="elem_ButtonLED_tt">A simple push button which goes back to its original state when it is released. The push button has an LED which can be switched via an input signal.</string> <string name="elem_ButtonLED_pin_out">The output signal of the button.</string> <string name="elem_ButtonLED_pin_in">Input for controlling the LED.</string> <string name="elem_Text">Text</string> <string name="elem_Text_tt">Shows a text in the circuit. Does not affect the simulation. The text can be changed in the attribute dialog.</string> <string name="elem_Rectangle">Rectangle</string> <string name="elem_Rectangle_tt">Shows a rectangle in the circuit. Does not affect the simulation. If a minus sign is used as the heading, the heading is omitted.</string> <string name="elem_Probe">Probe</string> <string name="elem_Probe_tt">A measurement value which can be shown in the data graph or measurement table. This component can be used to easily observe values from embedded circuits. Does not affect the simulation.</string> <string name="elem_Probe_pin_in">The measurement value.</string> <string name="elem_LightBulb">Light Bulb</string> <string name="elem_LightBulb_tt">Light bulb with two connections. If a current flows, the bulb lights up! The direction of the current does not matter. The lamp lights when the inputs have different values. The bulb behaves similar to an XOr gate.</string> <string name="elem_LightBulb_pin_A">Connection</string> <string name="elem_LightBulb_pin_B">Connection</string> <string name="elem_PolarityAwareLED">LED with two connections.</string> <string name="elem_PolarityAwareLED_tt">LED with connections for the cathode and the anode. The LED lights up if the anode is connected to high and the cathode is connected to low. This LED cannot be used as a pull-down resistor. It acts solely as a display element. The shown resistor is only meant to symbolize the required series resistor to limit the current.</string> <string name="elem_PolarityAwareLED_pin_A">The anode connection of the LED.</string> <string name="elem_PolarityAwareLED_pin_C">The cathode connection of the LED.</string> <string name="elem_Seven-Seg">Seven-Segment Display</string> <string name="elem_Seven-Seg_tt">Seven Segment Display, every segment has its own control input.</string> <string name="elem_Seven-Seg_pin_a">This input controls the upper, horizontal line.</string> <string name="elem_Seven-Seg_pin_b">This input controls the upper, right, vertical line.</string> <string name="elem_Seven-Seg_pin_c">This input controls the lower, right, vertical line.</string> <string name="elem_Seven-Seg_pin_d">This input controls the lower horizontal line.</string> <string name="elem_Seven-Seg_pin_e">This input controls the lower, left, vertical line.</string> <string name="elem_Seven-Seg_pin_f">This input controls the upper, left, vertical line.</string> <string name="elem_Seven-Seg_pin_g">This input controls the middle, horizontal line.</string> <string name="elem_Seven-Seg_pin_dp">This input controls the decimal point.</string> <string name="elem_Seven-Seg_pin_cc">Common cathode. To turn on the LEDs, this input needs to be low.</string> <string name="elem_Seven-Seg_pin_ca">Common anode. To turn on the LEDs, this input needs to be high.</string> <string name="elem_Seven-Seg-Hex">Seven-Segment Hex Display</string> <string name="elem_Seven-Seg-Hex_tt">Seven Segment Display with a 4 bit hex input</string> <string name="elem_Seven-Seg-Hex_pin_d">The value at this input is visualized at the display.</string> <string name="elem_Seven-Seg-Hex_pin_dp">This input controls the decimal point.</string> <string name="elem_SixteenSeg">16-Segment Display</string> <string name="elem_SixteenSeg_tt">The LED input has 16 bits which control the segments. The second input controls the decimal point.</string> <string name="elem_SixteenSeg_pin_led">16-bit bus for driving the LEDs.</string> <string name="elem_SixteenSeg_pin_dp">This input controls the decimal point.</string> <string name="elem_LedMatrix">LED-Matrix</string> <string name="elem_LedMatrix_tt">A matrix of LEDs. The LEDs are shown in a separate window. The LEDs of a column of the display are controlled by a data word. At another input, the current column is selected. So a multiplexed display is realized. The LEDs are able to light up indefinitely in the simulation to prevent the display from flickering.</string> <string name="elem_LedMatrix_pin_r-data">The row state of the LEDs of a column. Each bit in this data word represents the state of a row of the current column.</string> <string name="elem_LedMatrix_pin_c-addr">The number of the current column whose state is currently visible at the other input.</string> <string name="elem_Data">Data Graph</string> <string name="elem_Data_tt">Shows a data plot inside of the circuit panel. You can plot complete clock cycles or single gate changes. Does not affect the simulation.</string> <string name="elem_ScopeTrigger">Triggered Data Graph</string> <string name="elem_ScopeTrigger_short">Scope</string> <string name="elem_ScopeTrigger_tt">Shows a graph of measured values, whereby measured values are only stored if the input signal changes. Storing takes place when the circuit has stabilized. The trigger does not start the measurement like in a real scope, but each trigger event stores a single measurement value for each of the shown signals. As direct input there is only the trigger. The inputs and outputs of the circuit, flip-flops and registers and the probe component can be used as signals. This can be activated in the respective components.</string> <string name="elem_ScopeTrigger_pin_T">A change at this input causes measured values to be stored.</string> <string name="elem_RotEncoder">Rotary Encoder</string> <string name="elem_RotEncoder_tt">Rotary knob with rotary encoder. Used to detect rotational movements.</string> <string name="elem_RotEncoder_pin_A">encoder signal A</string> <string name="elem_RotEncoder_pin_B">encoder signal B</string> <string name="elem_Keyboard">Keyboard</string> <string name="elem_Keyboard_tt">A keyboard that can be used to enter text. This component buffers the input, which can then be read out. A separate window is opened for the text input.</string> <string name="elem_Keyboard_pin_C">Clock. A rising edge removes the oldest character from the buffer.</string> <string name="elem_Keyboard_pin_en">If high, the output D is active and one character is output. It also enables the clock input.</string> <string name="elem_Keyboard_pin_D">The last typed character, or zero if no character is available. Output is the 16 bit Java char value.</string> <string name="elem_Keyboard_pin_av">This output indicates that characters are available. It can be used to trigger an interrupt.</string> <string name="elem_Terminal">Terminal</string> <string name="elem_Terminal_tt">You can write ASCII characters to this terminal. The terminal opens its own window to visualize the output.</string> <string name="elem_Terminal_pin_C">Clock. A rising edge writes the value at the input to the terminal window.</string> <string name="elem_Terminal_pin_D">The data to write to the terminal</string> <string name="elem_Terminal_pin_en">A high at this input enables the clock input.</string> <string name="elem_Telnet">Telnet</string> <string name="elem_Telnet_tt">Allows a Telnet connection to the circuit. It is possible to receive and send characters via Telnet.</string> <string name="elem_Telnet_pin_out">Data output</string> <string name="elem_Telnet_pin_av">Outputs a one if data is present.</string> <string name="elem_Telnet_pin_in">The data to be sent.</string> <string name="elem_Telnet_pin_C">Clock input</string> <string name="elem_Telnet_pin_wr">If set, the input data byte is sent.</string> <string name="elem_Telnet_pin_rd">If set, a received byte is output.</string> <string name="elem_VGA">VGA Monitor</string> <string name="elem_VGA_short">VGA</string> <string name="elem_VGA_tt">Analyzes the incoming video signals and displays the corresponding graphic. Since the simulation cannot run in real time, the pixel clock is required in addition to the video signals.</string> <string name="elem_VGA_pin_R">The red color component</string> <string name="elem_VGA_pin_G">The green color component</string> <string name="elem_VGA_pin_B">The blue color component</string> <string name="elem_VGA_pin_H">The horizontal synchronization signal</string> <string name="elem_VGA_pin_V">The vertical synchronization signal</string> <string name="elem_VGA_pin_C">The pixel clock</string> <string name="elem_MIDI_tt">Uses the MIDI system to play notes.</string> <string name="elem_MIDI_pin_N">Note</string> <string name="elem_MIDI_pin_V">Volume</string> <string name="elem_MIDI_pin_OnOff">If set, this translates to pressing a keyboard key (key down event), if not set, this translates to releasing the key (key up event).</string> <string name="elem_MIDI_pin_en">Enables the component</string> <string name="elem_MIDI_pin_PC">If high, the value at N is used to change the program (instrument).</string> <string name="elem_StepperMotorUnipolar">Stepper Motor, unipolar</string> <string name="elem_StepperMotorUnipolar_tt">Unipolar stepper motor with two limit position switches. Full step drive, half step drive and wave drive are supported.</string> <string name="elem_StepperMotorUnipolar_pin_S0">Limit position switch 0, becomes 1 when the motor angle is 0.</string> <string name="elem_StepperMotorUnipolar_pin_S1">Limit position switch 1, becomes 1 when the motor angle is 180.</string> <string name="elem_StepperMotorUnipolar_pin_P0">Phase 0</string> <string name="elem_StepperMotorUnipolar_pin_P1">Phase 1</string> <string name="elem_StepperMotorUnipolar_pin_P2">Phase 2</string> <string name="elem_StepperMotorUnipolar_pin_P3">Phase 3</string> <string name="elem_StepperMotorUnipolar_pin_com">Common center coil connection</string> <string name="elem_StepperMotorBipolar">Stepper Motor, bipolar</string> <string name="elem_StepperMotorBipolar_tt">Bipolar stepper motor with two limit position switches. Full step drive, half step drive and wave drive are supported.</string> <string name="elem_StepperMotorBipolar_pin_S0">Limit position switch 0, becomes 1 when the motor angle is 0.</string> <string name="elem_StepperMotorBipolar_pin_S1">Limit position switch 1, becomes 1 when the motor angle is 180.</string> <string name="elem_StepperMotorBipolar_pin_A+">Coil A, positive</string> <string name="elem_StepperMotorBipolar_pin_A-">Coil A, negative</string> <string name="elem_StepperMotorBipolar_pin_B+">Coil B, positive</string> <string name="elem_StepperMotorBipolar_pin_B-">Coil B, negative</string> <string name="elem_Ground">Ground</string> <string name="elem_Ground_tt">A connection to ground. Output is always zero.</string> <string name="elem_Ground_pin_out">Output always returns 0.</string> <string name="elem_VDD">Supply voltage</string> <string name="elem_VDD_tt">A connection to the supply voltage. Output is always one.</string> <string name="elem_VDD_pin_out">This output always returns 1.</string> <string name="elem_NotConnected">Not Connected</string> <string name="elem_NotConnected_tt">This component can be used to set a wire to High-Z. If an input of a logical gate is set to high-Z, the read value is undefined. Note that in reality in many cases excessive current consumption and even damage can occur if a digital input is not set to high or low but remains unconnected.</string> <string name="elem_NotConnected_pin_out">This output always outputs High-Z.</string> <string name="err_notConnectedNotAllowed">The NotConnected symbol is not allowed here!</string> <string name="elem_Const">Constant value</string> <string name="elem_Const_tt">A component which returns a given value as a simple constant value. The value can be set in the attribute dialog.</string> <string name="elem_Const_pin_out">Returns the given value as a constant.</string> <string name="elem_Tunnel_tt">Connects components without a wire. All tunnel elements, which have the same net name, are connected together. Works only locally, so it is not possible to connect different circuits. Unnamed tunnels are ignored silently.</string> <string name="elem_Tunnel_pin_in">The connection to the tunnel.</string> <string name="elem_Splitter_tt">Splits or creates a wire bundle or a data bus with more than one bit. With a bus it is e.g. possible to generate 16-bit connections without having to route 16 individual wires. All 16 connections can be merged into one wire. The splitter has a direction, meaning it can only transmit signals in one direction.</string> <string name="elem_Splitter_pin_in">The input bits {0}.</string> <string name="elem_Splitter_pin_in_one">The input bit {0}.</string> <string name="elem_Splitter_pin_out">The output bits {0}.</string> <string name="elem_Splitter_pin_out_one">The output bit {0}.</string> <string name="elem_BusSplitter">Bidirectional Splitter</string> <string name="elem_BusSplitter_tt">Can be used for data buses and simplifies especially the construction of memory modules in a DIL package, as the implementation of the data bus is simplified.</string> <string name="elem_BusSplitter_pin_OE">When set, the value at the common data terminal D is output to the bit outputs D[i], if not, the bits D[i] are output to the common output D.</string> <string name="elem_BusSplitter_pin_D">The common data connection.</string> <string name="elem_BusSplitter_pin_D_N">The data bit {0} of the bus splitter.</string> <string name="elem_PullUp">Pull-Up Resistor</string> <string name="elem_PullUp_pin_out">A "weak high".</string> <string name="elem_PullUp_tt">If a net is in a HighZ state, this resistor pulls the net to high. In any other case this component has no effect.</string> <string name="elem_PullDown">Pull-Down Resistor</string> <string name="elem_PullDown_pin_out">A "weak low".</string> <string name="elem_PullDown_tt">If the net is in a HighZ state, this resistor pulls the net to ground. In any other case this component has no effect.</string> <string name="elem_Driver_tt">A driver can be used to connect a signal value to another wire. The driver is controlled by the sel input. If the sel input is low, the output is in high z state. If the sel input is high, the output is set to the input value.</string> <string name="elem_Driver_pin_in">The input value of the driver.</string> <string name="elem_Driver_pin_out">If the sel input is 1 the input is given to this output. If the sel input is 0, this output is in high z state.</string> <string name="elem_Driver_pin_sel">Pin to control the driver. If its value is 1 the input is set to the output. If the value is 0, the output is in high z state.</string> <string name="elem_DriverInvSel">Driver, inverted select</string> <string name="elem_DriverInvSel_tt">A driver can be used to connect a data word to another line. The driver is controlled by the sel input. If the sel input is high, the output is in high z state. If the sel input is low, the output is set to the input value.</string> <string name="elem_DriverInvSel_pin_in">The input value of the driver.</string> <string name="elem_DriverInvSel_pin_sel">Pin to control the driver. If its value is 0 the input is given to the output. If the value is 1, the output is in high z state.</string> <string name="elem_DriverInvSel_pin_out">If the sel input is 0 the input is given to this output. If the sel input is 1, this output is in high z state.</string> <string name="elem_PinControl">Pin Control</string> <string name="elem_PinControl_tt">Control logic for a bidirectional pin. This component is necessary only in the context of VHDL or Verilog generation, in order to create a bidirectional HDL port! If you don't want to use a bidirectional IO-port on an FPGA, don't use this component! The PinControl component cannot be used in an embedded circuit! It is only allowed at the top level circuit!</string> <string name="elem_PinControl_pin_wr">The data to be output.</string> <string name="elem_PinControl_pin_oe">Activates the output.</string> <string name="elem_PinControl_pin_rd">The data to be read.</string> <string name="elem_PinControl_pin_pin">The connector for the actual pin. Only a single output should be connected here.</string> <string name="elem_Multiplexer_tt">A component which uses the value of the sel pin to decide which input value is set to the output.</string> <string name="elem_Multiplexer_input">The {0}. data input of the multiplexer.</string> <string name="elem_Multiplexer_output">The value of the selected input.</string> <string name="elem_Multiplexer_pin_sel">This input is used to select the data input which is output.</string> <string name="elem_Demultiplexer_tt">A component that can output the input value to one of the outputs. The other outputs are set to the default value.</string> <string name="elem_Demultiplexer_pin_sel">This pin selects the output to use.</string> <string name="elem_Demultiplexer_pin_in">The value of this input is given to the selected data output.</string> <string name="elem_Demultiplexer_output">Data output {0}.</string> <string name="elem_Decoder">Decoder</string> <string name="elem_Decoder_tt">One selectable output pin is 1, all other outputs are set to 0.</string> <string name="elem_Decoder_output">Output {0}. This output is 1 if selected by the sel input.</string> <string name="elem_Decoder_pin_sel">This input selects the enabled output. The selected output is set to 1. All other outputs are set to 0.</string> <string name="elem_BitSelector">Bit Selector</string> <string name="elem_BitSelector_tt">Selects a single bit from a data bus.</string> <string name="elem_BitSelector_pin_in">The input bus</string> <string name="elem_BitSelector_pin_sel">This input selects the bit</string> <string name="elem_BitSelector_pin_out">The selected bit.</string> <string name="elem_PriorityEncoder">Priority Encoder</string> <string name="elem_PriorityEncoder_short">Priority</string> <string name="elem_PriorityEncoder_tt">If one of the inputs is set, its number is output. If several inputs are set at the same time, the highest number is output.</string> <string name="elem_PriorityEncoder_pin_num">Number of the set input.</string> <string name="elem_PriorityEncoder_pin_any">If this output is set, at least one of the inputs is set.</string> <string name="elem_PriorityEncoder_input">The {0}. input of the priority encoder.</string> <string name="elem_RS_FF_AS_tt">A component to store a single bit. Provides the functions "set" and "reset" to set or reset the stored bit. If both inputs are switched to one, both outputs also output a one. If both inputs switch back to zero at the same time, the final state is random.</string> <string name="elem_RS_FF_AS_pin_S">The set input.</string> <string name="elem_RS_FF_AS_pin_R">The reset input.</string> <string name="elem_RS_FF_AS_pin_Q">Returns the stored value.</string> <string name="elem_RS_FF_AS_pin_~Q">Returns the inverted stored value.</string> <string name="elem_RS_FF">RS-Flip-flop, clocked</string> <string name="elem_RS_FF_tt">A component to store a single bit. Provides the functions "set" and "reset" to set or reset the stored bit. If both inputs (S, R) are set at the rising edge of the clock, the final state is random.</string> <string name="elem_RS_FF_pin_S">The set input.</string> <string name="elem_RS_FF_pin_C">The clock input. A rising edge initiates a state transition.</string> <string name="elem_RS_FF_pin_R">The reset input.</string> <string name="elem_RS_FF_pin_Q">Returns the stored value.</string> <string name="elem_RS_FF_pin_~Q">Returns the inverted stored value.</string> <string name="elem_JK_FF_tt">Has the possibility to store (J=K=0), set (J=1, K=0), reset (J=0, K=1) or toggle (J=K=1) the stored value. A change of state takes place only at a rising edge at the clock input C.</string> <string name="elem_JK_FF_pin_J">The set input of the flip-flop.</string> <string name="elem_JK_FF_pin_C">The clock input. A rising edge initiates a state change.</string> <string name="elem_JK_FF_pin_K">The reset input of the flip-flop.</string> <string name="elem_JK_FF_pin_Q">Returns the stored value.</string> <string name="elem_JK_FF_pin_~Q">Returns the inverted stored value.</string> <string name="elem_D_FF_tt">A component used to store a value. The value on pin D is stored on a rising edge of the clock pin C. The bit width can be selected, which allows to store multiple bits.</string> <string name="elem_D_FF_pin_D">Input of the bit to be stored.</string> <string name="elem_D_FF_pin_C">Clock pin to store a value. The value on input D is stored on a rising edge of this pin.</string> <string name="elem_D_FF_pin_Q">Returns the stored value.</string> <string name="elem_D_FF_pin_~Q">Returns the inverted stored value.</string> <string name="elem_T_FF_tt">Stores a single bit. Toggles the state on a rising edge at input C.</string> <string name="elem_T_FF_pin_T">Enables the toggle function.</string> <string name="elem_T_FF_pin_C">Clock input. A rising edge toggles the output, if input T is set to 1.</string> <string name="elem_T_FF_pin_Q">Returns the stored value.</string> <string name="elem_T_FF_pin_~Q">Returns the inverted stored value.</string> <string name="elem_JK_FF_AS">JK-Flip-flop, asynchronous</string> <string name="elem_JK_FF_AS_tt">Has the possibility to store (J=K=0), set (J=1, K=0), reset (J=0, K=1) or toggle (J=K=1) the stored value. A change of state takes place only at a rising edge at the clock input C. There are two additional inputs which set or reset the state immediately without a clock signal.</string> <string name="elem_JK_FF_AS_pin_J">The set input of the flip-flop.</string> <string name="elem_JK_FF_AS_pin_C">The Clock input. A rising edge initiates a state change.</string> <string name="elem_JK_FF_AS_pin_K">The reset input of the flip-flop.</string> <string name="elem_JK_FF_AS_pin_Q">Returns the stored value.</string> <string name="elem_JK_FF_AS_pin_~Q">Returns the inverted stored value.</string> <string name="elem_JK_FF_AS_pin_Set">asynchronous set. A high value at this input sets the flip-flop.</string> <string name="elem_JK_FF_AS_pin_Clr">asynchronous clear. A high value at this input clears the flip-flop.</string> <string name="elem_D_FF_AS">D-Flip-flop, asynchronous</string> <string name="elem_D_FF_AS_tt">A component used to store a value. The value on pin D is stored on a rising edge of the clock pin C. There are two additional inputs which set or reset the state immediately without a clock signal. The bit width can be selected, which allows to store multiple bits.</string> <string name="elem_D_FF_AS_pin_D">Input of the bit to be stored.</string> <string name="elem_D_FF_AS_pin_C">Control pin to store a bit. The bit on input D is stored on a rising edge of this pin.</string> <string name="elem_D_FF_AS_pin_Q">Returns the stored value.</string> <string name="elem_D_FF_AS_pin_~Q">Returns the inverted stored value.</string> <string name="elem_D_FF_AS_pin_Set">asynchronous set. If set to one, all stored bits are set to one.</string> <string name="elem_D_FF_AS_pin_Clr">asynchronous clear. If set to one, all stored bits are set to zero.</string> <string name="elem_Monoflop_tt">The monoflop is set at a rising edge at the clock input. After a configurable delay time, the monoflop will be cleared automatically. The monoflop is retriggerable. It can only be used if there is exactly one clock component present in the circuit. This clock component is used as time base to measure the time delay.</string> <string name="elem_Monoflop_pin_R">Reset Input. A high value clears the monoflop.</string> <string name="elem_Monoflop_pin_C">The Clock input. A rising edge sets the monoflop.</string> <string name="elem_Monoflop_pin_Q">output</string> <string name="elem_Monoflop_pin_~Q">inverted output</string> <string name="elem_Register">Register</string> <string name="elem_Register_tt">A component to store values. The bit width of the data word can be selected. Unlike a D flip-flop, the register provides an input which enables the clock.</string> <string name="elem_Register_pin_D">Input pin of the data word to be stored.</string> <string name="elem_Register_pin_C">Clock input. A rising edge stores the value at the D pin.</string> <string name="elem_Register_pin_en">Enable pin. Storing a value works only if this pin is set high.</string> <string name="elem_Register_pin_Q">Returns the stored value.</string> <string name="elem_ROM_tt">A non-volatile memory component. The stored data can be edited in the attributes dialog.</string> <string name="elem_ROM_pin_A">This pin defines the address of data word to be output.</string> <string name="elem_ROM_pin_D">The selected data word if the sel input is high.</string> <string name="elem_ROM_pin_sel">If the input is high, the output is activated. If it is low, the data output is in high Z state.</string> <string name="elem_ROMDualPort">ROM dual port</string> <string name="elem_ROMDualPort_tt">A non-volatile memory component. The stored data can be edited in the attributes dialog.</string> <string name="elem_ROMDualPort_pin_A1">This pin defines the address of data word to be output on D1.</string> <string name="elem_ROMDualPort_pin_D1">The selected data word if the s1 input is high.</string> <string name="elem_ROMDualPort_pin_s1">If the input is high, the output D1 is activated. If it is low, the data output is in high Z state.</string> <string name="elem_ROMDualPort_pin_A2">This pin defines the address of data word to be output on D2.</string> <string name="elem_ROMDualPort_pin_D2">The selected data word if the s2 input is high.</string> <string name="elem_ROMDualPort_pin_s2">If the input is high, the output D2 is activated. If it is low, the data output is in high Z state.</string> <string name="elem_RAMDualPort">RAM, separated Ports</string> <string name="elem_RAMDualPort_tt">A RAM module with separate inputs for storing and output for reading the stored data.</string> <string name="elem_RAMDualPort_pin_A">The address to read from or write to.</string> <string name="elem_RAMDualPort_pin_C">Clock input</string> <string name="elem_RAMDualPort_pin_Din">The data to be stored in the RAM.</string> <string name="elem_RAMDualPort_pin_D">The data output pin</string> <string name="elem_RAMDualPort_pin_ld">If this input is high the output is activated and the data is visible at the output.</string> <string name="elem_RAMDualPort_pin_str">If this input is high and when the clock becomes high, the data is stored.</string> <string name="elem_RAMAsync">RAM, async.</string> <string name="elem_RAMAsync_tt">As long as we is set, it is stored. Corresponds to a very simple RAM, where the address and data lines are directly connected to the decoders of the memory cells.</string> <string name="elem_RAMAsync_pin_A">The address at which reading or writing takes place.</string> <string name="elem_RAMAsync_pin_D">The data to be stored.</string> <string name="elem_RAMAsync_pin_we">Write enable. As long as this input is set to 1, the value applied to D is stored at the address applied to A whenever A or D is changed.</string> <string name="elem_RAMAsync_pin_Q">Output of the stored data.</string> <string name="elem_BlockRAMDualPort">Block-RAM, separated ports</string> <string name="elem_BlockRAMDualPort_tt">A RAM module with separate inputs for storing and output for reading the stored data. This RAM only updates its output on a rising edge of the clock input. This allows the usage of Block RAM on an FPGA.</string> <string name="elem_BlockRAMDualPort_pin_A">The address to read from or write to.</string> <string name="elem_BlockRAMDualPort_pin_C">Clock input</string> <string name="elem_BlockRAMDualPort_pin_Din">The data to be stored in the RAM.</string> <string name="elem_BlockRAMDualPort_pin_D">The data output pin</string> <string name="elem_BlockRAMDualPort_pin_str">If this input is high and when the clock becomes high, the data is stored.</string> <string name="elem_EEPROMDualPort">EEPROM, separated Ports</string> <string name="elem_EEPROMDualPort_tt">A EEPROM module with separate inputs for storing and output for reading the stored data.</string> <string name="elem_EEPROMDualPort_pin_A">The address to read from or write to.</string> <string name="elem_EEPROMDualPort_pin_C">Clock input</string> <string name="elem_EEPROMDualPort_pin_Din">The data to be stored in the EEPROM.</string> <string name="elem_EEPROMDualPort_pin_D">The data output pin</string> <string name="elem_EEPROMDualPort_pin_ld">If this input is high the output is activated and the data is visible at the output.</string> <string name="elem_EEPROMDualPort_pin_str">If this input is high and when the clock becomes high, the data is stored.</string> <string name="elem_RAMSinglePort">RAM, bidirectional Port</string> <string name="elem_RAMSinglePort_tt">A RAM module with a bidirectional pin for reading and writing the data.</string> <string name="elem_RAMSinglePort_pin_A">The address to read and write.</string> <string name="elem_RAMSinglePort_pin_D">The bidirectional data connection.</string> <string name="elem_RAMSinglePort_pin_ld">If this input is high the output is activated and the data is visible at the output.</string> <string name="elem_RAMSinglePort_pin_str">If this input is high when the clock becomes high, the data is stored.</string> <string name="elem_RAMSinglePortSel_tt">A RAM module with a bidirectional connection for reading and writing the data. If the CS input is low, the component is disabled. This allows to build a larger RAM from some smaller RAMs and a address decoder. The write cycle works as follows: By setting CS to high, the component is selected. A rising edge at WE latches the address, and the following falling edge at WE stores the data.</string> <string name="elem_RAMSinglePortSel_pin_A">The address to read and write.</string> <string name="elem_RAMSinglePortSel_pin_WE">If set to high the data is written to the RAM.</string> <string name="elem_RAMSinglePortSel_pin_D">The bidirectional data connection.</string> <string name="elem_RAMSinglePortSel_pin_CS">If this input is high, this RAM is enabled. Otherwise the output is always in high Z state.</string> <string name="elem_RAMSinglePortSel_pin_OE">If this input is high, the stored value is output.</string> <string name="elem_EEPROM_tt">A EEPROM module with a bidirectional connection for reading and writing the data. If the CS input is low, the component is disabled. The data content is stored like in a ROM. It is thus preserved when the simulation is terminated and restarted. The write cycle works as follows: By setting CS to high, the component is selected. A rising edge at WE latches the address, and the following falling edge at WE stores the data.</string> <string name="elem_EEPROM_pin_A">The address to read and write.</string> <string name="elem_EEPROM_pin_WE">If set to high the data is written to the EEPROM.</string> <string name="elem_EEPROM_pin_D">The bidirectional data connection.</string> <string name="elem_EEPROM_pin_CS">If this input is high, this EEPROM is enabled. Otherwise the output is always in high Z state.</string> <string name="elem_EEPROM_pin_OE">If this input is high, the stored value is output.</string> <string name="elem_GraphicCard">Graphic RAM</string> <string name="elem_GraphicCard_tt">Used to show a bitmap graphic. This element behaves like a RAM. In addition it shows its content on a graphic screen. Every pixel is represented by a memory address. The value stored defines the color of the pixel, using a fixed color palette. There are two screen buffers implemented to support page flipping. The input B selects which buffer is shown. Thus, the total memory size is dx * dy * 2 words. The palette used is structured as follows: The indices 0-9 correspond to the colors white, black, red, green, blue, yellow, cyan, magenta, orange and pink. The indices 32-63 map gray values and the indices 64-127 represent 64 color values each with two bits per color channel. This results in a simple palette that can be addressed with only 7-bit. If the architecture supports a 16-bit index, from Index 0x8000, a high-color mode with 5 bits per color channel can be used, which enables 32768 colors.</string> <string name="elem_GraphicCard_pin_A">The address to read and write.</string> <string name="elem_GraphicCard_pin_str">If this input is high when the clock becomes high, the data is stored.</string> <string name="elem_GraphicCard_pin_ld">If this input is high the output is activated and the data is visible at the output.</string> <string name="elem_GraphicCard_pin_B">Selects the screen buffer to show.</string> <string name="elem_GraphicCard_pin_D">The bidirectional data connection.</string> <string name="elem_RAMDualAccess">RAM, Dual Port</string> <string name="elem_RAMDualAccess_tt">RAM with one port that allows to write to and read from the RAM, and a second read only port. This second port can be used to give some graphic logic access to the memory contents. In this way, a processor can write to the RAM, and a graphics logic can simultaneously read from the RAM.</string> <string name="elem_RAMDualAccess_pin_1D">Output Port 1</string> <string name="elem_RAMDualAccess_pin_2D">Output Port 2</string> <string name="elem_RAMDualAccess_pin_1A">The address at which port 1 is read or written.</string> <string name="elem_RAMDualAccess_pin_2A">The address used to read via port 2.</string> <string name="elem_RAMDualAccess_pin_1Din">The data to be stored in the RAM.</string> <string name="elem_RAMDualAccess_pin_ld">If this input is high the output is activated and the data is visible at the output 1D.</string> <string name="elem_RAMDualAccess_pin_str">If this input is high and when the clock becomes high, the data is stored.</string> <string name="elem_RegisterFile">Register File</string> <string name="elem_RegisterFile_short">Register</string> <string name="elem_RegisterFile_tt">Memory with one port that allows to write and two ports that allow to read from the memory simultaneously. Can be used to implement processor registers. Two registers can be read simultaneously and a third can be written.</string> <string name="elem_RegisterFile_pin_Da">Output Port a</string> <string name="elem_RegisterFile_pin_Db">Output Port b</string> <string name="elem_RegisterFile_pin_Ra">The register which is visible at port a.</string> <string name="elem_RegisterFile_pin_Rb">The register which is visible at port b.</string> <string name="elem_RegisterFile_pin_Rw">The register into which the data is written.</string> <string name="elem_RegisterFile_pin_we">If this input is high and when the clock becomes high, the data is stored.</string> <string name="elem_RegisterFile_pin_Din">The data to be stored in the register Rw.</string> <string name="elem_Counter">Counter</string> <string name="elem_Counter_short">Counter</string> <string name="elem_Counter_tt">A simple counter component. The clock input increases the counter. Can be reset back to 0 with the clr input. The number of bits can be set in the attribute dialog.</string> <string name="elem_Counter_pin_C">The clock input. A rising edge increases the counter.</string> <string name="elem_Counter_pin_clr">Synchronous reset of the counter if set to 1.</string> <string name="elem_Counter_pin_ovf">Overflow output. This pin is set to 1 if the counter is on its maximal value and the en input is set to 1.</string> <string name="elem_Counter_pin_out">Returns the counted value.</string> <string name="elem_Counter_pin_en">If set to 1 the counter is enabled!</string> <string name="elem_CounterPreset">Counter with preset</string> <string name="elem_CounterPreset_tt">A counter whose value can be set. In addition, a maximum value and a counting direction can be specified.</string> <string name="elem_CounterPreset_short">Counter</string> <string name="elem_CounterPreset_pin_out">Returns the counted value.</string> <string name="elem_CounterPreset_pin_ovf">Overflow output. It is set to 1 if the 'en' input is set to 1 and if the counter reaches its maximum value when counting up, or has reached 0 when counting down.</string> <string name="elem_CounterPreset_pin_C">The clock input. A rising edge increases or decreases the counter.</string> <string name="elem_CounterPreset_pin_clr">Synchronous reset of the counter if set to 1.</string> <string name="elem_CounterPreset_pin_en">If set to 1 the counter is enabled!</string> <string name="elem_CounterPreset_pin_dir">Specifies the counting direction. A 0 means upwards.</string> <string name="elem_CounterPreset_pin_ld">If set, the value at input 'in' is stored in the counter at the next clock signal.</string> <string name="elem_CounterPreset_pin_in">This data word is stored in the counter when ld is set.</string> <string name="elem_Add">Adder</string> <string name="elem_Add_tt">A component for simple add calculations. Adds the two integer values from input a and input b (a+b). The result will be incremented by one if the carry input is set.</string> <string name="elem_Add_pin_a">First input to add.</string> <string name="elem_Add_pin_b">Second input to add.</string> <string name="elem_Add_pin_s">The result of the addition</string> <string name="elem_Add_pin_c_i">Carry input, if set the result is incremented by one.</string> <string name="elem_Add_pin_c_o">Carry output. If set there was an overflow.</string> <string name="elem_Sub">Subtract</string> <string name="elem_Sub_tt">A component for simple subtractions. Subtracts binary numbers on input a and input b (a-b). If the carry input is set to 1 the result is decremented by 1.</string> <string name="elem_Sub_pin_c_i">Carry input, if set the result is decremented by one.</string> <string name="elem_Sub_pin_a">Input a for subtraction.</string> <string name="elem_Sub_pin_b">Input b for subtraction.</string> <string name="elem_Sub_pin_s">Output returns the result of the subtraction.</string> <string name="elem_Sub_pin_c_o">Output returns 1 if an overflow occurred.</string> <string name="elem_Mul">Multiply</string> <string name="elem_Mul_tt">A component for multiplication. Multiplies the integer numbers on input pin a and input pin b.</string> <string name="elem_Mul_pin_a">Input a for multiplication.</string> <string name="elem_Mul_pin_b">Input b for multiplication.</string> <string name="elem_Mul_pin_mul">Output for the result of the multiplication.</string> <string name="elem_Div">Division</string> <string name="elem_Div_tt">A component for division. Divides the integer applied to input a by the integer applied to input b. If the divisor is zero, it is divided by one instead. In signed division, the remainder is always positive.</string> <string name="elem_Div_pin_a">dividend</string> <string name="elem_Div_pin_b">divisor</string> <string name="elem_Div_pin_q">quotient</string> <string name="elem_Div_pin_r">remainder</string> <string name="elem_BarrelShifter_tt">A component for bit shifting. Shifts the input value by the number of bits given by the shift input.</string> <string name="elem_BarrelShifter_pin_in">Input with bits to be shifted.</string> <string name="elem_BarrelShifter_pin_shift">Input with shift width.</string> <string name="elem_BarrelShifter_pin_out">Output with shifted value.</string> <string name="elem_Comparator">Comparator</string> <string name="elem_Comparator_tt">A component for comparing bit values. Compares the binary numbers on input pin a and input pin b and sets the corresponding outputs.</string> <string name="elem_Comparator_pin_a">Input a to compare.</string> <string name="elem_Comparator_pin_b">Input b to compare.</string> <string name="elem_Comparator_pin_=">Output is 1 if input a equals input b</string> <string name="elem_Comparator_pin_&gt;">Output is 1 if input a is greater than input b</string> <string name="elem_Comparator_pin_&lt;">Output is 1 if input a is less than input b</string> <string name="elem_Neg">Negation</string> <string name="elem_Neg_pin_in">Input of the data word to be negated in 2th complement</string> <string name="elem_Neg_pin_out">Returns the result of the negation in 2th complement.</string> <string name="elem_Neg_tt">Negation in the 2th complement</string> <string name="elem_BitExtender">Sign extender</string> <string name="elem_BitExtender_tt">Increases the bit width of a signed value keeping the values sign. If the input is a single bit, this bit will be output on all output bits.</string> <string name="elem_BitExtender_pin_in">Input value. The input bit width must be smaller than the output bit width!</string> <string name="elem_BitExtender_pin_out">Extended input value. The input bit width must be smaller than the output bit width!</string> <string name="elem_BitCount">Bit counter</string> <string name="elem_BitCount_tt">Returns the number of 1-bits in the input value.</string> <string name="elem_BitCount_pin_in">The input which 1-bits are counted.</string> <string name="elem_BitCount_pin_out">Outputs the number of 1-bits.</string> <string name="elem_PRNG">Random Number Generator</string> <string name="elem_PRNG_tt">Can be used to generate random numbers. When the simulation is started, the generator is reinitialized so that a new pseudo-random number sequence is generated at each start. The generator can be initialized in the running simulation with a defined seed value to generate a defined pseudo-random number sequence.</string> <string name="elem_PRNG_pin_S">New seed value of the generator.</string> <string name="elem_PRNG_pin_se">If set, the random number generator is reinitialized with the new seed value at the next rising clock edge.</string> <string name="elem_PRNG_pin_ne">If set, a new random number is output at the next rising clock edge.</string> <string name="elem_PRNG_pin_C">The clock input.</string> <string name="elem_PRNG_pin_R">Output of the pseudorandom number.</string> <string name="elem_DiodeForward">Diode to VDD</string> <string name="elem_DiodeForward_tt">A simplified unidirectional diode, used to pull a wire to VDD. It is used to implement a wired OR. So it is necessary to connect a pull down resistor to the diodes output. In the simulation the diode behaves like an active gate with a trivalent truth table: If the input high, the output is also high. In all other cases (input is low or high z) the output is in high z state. So two anti parallel connected diodes can keep each other in high state, which is not possible with real diodes. This is an ideal diode: There is no voltage drop across a forward-biased diode.</string> <string name="elem_DiodeForward_pin_in">If the input is high also the output is high. In all other cases the output is in high z state.</string> <string name="elem_DiodeForward_pin_out">If the input is high also the output is high. In all other cases the output is in high z state.</string> <string name="elem_DiodeBackward">Diode to Ground</string> <string name="elem_DiodeBackward_tt">A simplified unidirectional diode, used to pull a wire to ground. It is used to implement a wired AND. So it is necessary to connect a pull up resistor to the diodes output. If the input low, the output is also low. In the other cases (input is high or high z) the output is in high z state. So two anti parallel connected diodes can keep each other in low state, which is not possible with real diodes. So this is a ideal diode: There is no voltage drop across a forward-biased diode.</string> <string name="elem_DiodeBackward_pin_in">If the input is low also the output is low. In all other cases the output is in high z state.</string> <string name="elem_DiodeBackward_pin_out">If the input is low also the output is low. In all other cases the output is in high z state.</string> <string name="elem_Switch">Switch</string> <string name="elem_Switch_pin">One of the connections of the switch.</string> <string name="elem_Switch_tt">Simple switch. There is no gate delay: A signal change is propagated immediately.</string> <string name="elem_SwitchDT">Double Throw Switch</string> <string name="elem_SwitchDT_tt">Double Throw Switch. There is no gate delay: A signal change is propagated immediately.</string> <string name="elem_Fuse">Fuse</string> <string name="elem_Fuse_tt">A fuse used to build a one time programmable memory.</string> <string name="elem_Fuse_pin_out1">One of the connections of the fuse.</string> <string name="elem_Fuse_pin_out2">One of the connections of the fuse.</string> <string name="elem_Relay_tt">A relay is a switch which can be controlled by a coil. If a current flows through the coil, the switch is closed or opened. There is no flyback diode so the current direction does not matter. The switch is actuated if the inputs have different values. The relay behaves similar to an XOr gate.</string> <string name="elem_Relay_pin_in1">One of the inputs to control the relay.</string> <string name="elem_Relay_pin_in2">One of the inputs to control the relay.</string> <string name="elem_RelayDT">Double Throw Relay</string> <string name="elem_RelayDT_tt">A relay is a switch which can be controlled by a coil. If a current flows through the coil, the switch is closed or opened. There is no flyback diode so the current direction does not matter. The switch is actuated if the inputs have different values. The relay behaves similar to an XOr gate.</string> <string name="elem_RelayDT_pin_in1">One of the inputs to control the relay.</string> <string name="elem_RelayDT_pin_in2">One of the inputs to control the relay.</string> <string name="elem_PFET">P-Channel FET</string> <string name="elem_PFET_tt">P-Channel Field Effect Transistor. The bulk is connected to the pos. voltage rail and the transistor is simulated without a body diode.</string> <string name="elem_NFET">N-Channel FET</string> <string name="elem_NFET_tt">N-Channel Field Effect Transistor. The bulk is connected to ground and the transistor is simulated without a body diode.</string> <string name="elem_FGPFET">P-Channel floating gate FET</string> <string name="elem_FGPFET_tt">P-Channel Floating Gate Field Effect Transistor. The bulk is connected to ground and the transistor is simulated without a body diode. If there is a charge stored in the floating gate, the fet isn't conducting even if the gate is low.</string> <string name="elem_FGNFET">N-Channel floating gate FET</string> <string name="elem_FGNFET_tt">N-Channel Floating Gate Field Effect Transistor. The bulk is connected to ground and the transistor is simulated without a body diode. If there is a charge stored in the floating gate, the fet isn't conducting even if the gate is high.</string> <string name="elem_TransGate_tt">A real transmission-gate is build from only two transistors. Therefore, it is often used to save transistors during implementation on silicon.</string> <string name="elem_TransGate_pin_A">input A</string> <string name="elem_TransGate_pin_B">input B</string> <string name="elem_TransGate_pin_S">control input.</string> <string name="elem_TransGate_pin_~S">inverted control input</string> <string name="elem_Testcase_tt">Describes a test case. In a test case you can describe how a circuit should behave. It can then be automatically checked whether the behavior of the circuit actually corresponds to this description. If this is not the case, an error message is shown. The help text of the test case editor describes in detail how such a test case can be created.</string> <string name="elem_GenericInitCode">Generic Initialization</string> <string name="elem_GenericInitCode_tt">Code that is executed to start a generic circuit directly. If a generic circuit is to be started directly, such a component must be present.</string> <string name="elem_GenericCode">Code</string> <string name="elem_GenericCode_tt">Code that is executed when a generic circuit is made concrete. Can be used, for example, to add components or wires to a circuit.</string> <string name="elem_AsyncSeq">Asynchronous Timing</string> <string name="elem_AsyncSeq_tt">Allows configuration of the timing of an asynchronous sequential circuit such as a Muller-pipeline. The circuit must be started in single gate step mode and must be able to reach a stable state at startup. The sequential circuit can then be started interactively or with a reset gate. It is not allowed to use a regular clock component in this mode.</string> <string name="elem_PowerSupply">Power</string> <string name="elem_PowerSupply_tt">Has no function. Makes sure that VDD and GND are connected. Can be used in 74xx circuits to generate the pins for the voltage supply, which are tested for correct wiring.</string> <string name="elem_PowerSupply_pin_VDD">Must be connected to VDD!</string> <string name="elem_PowerSupply_pin_GND">Must be connected to GND!</string> <string name="elem_Reset_pin_Reset">Reset Output.</string> <string name="elem_Reset_tt">The output of this component is held high during the initialisation of the circuit. After the circuit has stabilized the output goes to low. If the output is inverted it behaves the opposite way.</string> <string name="elem_Break">Break</string> <string name="elem_Break_pin_brk">Stops the fast simulation clocking if a rising edge is detected.</string> <string name="elem_Break_tt">If this component is used in the circuit, the "Run To Break" button between "Start" and "Stop" is enabled. This button clocks the circuit until a rising edge on the input of this component is detected. This element can be used for debugging by clocking the circuit to any breakpoint. Also an assembler command BRK can be implemented. This allows to execute a program up to the next BRK command. This function can only be used if the real-time clock is deactivated!</string> <string name="elem_Stop">Stop</string> <string name="elem_Stop_tt">A rising edge at the input stops the simulation. Has the same effect as pressing the Stop button in the toolbar.</string> <string name="elem_Stop_pin_stop">A rising edge stops the simulation.</string> <string name="elem_External">External</string> <string name="elem_External_tt">Component to execute an external process to calculate the logic function. Is used to specify the behaviour of a component by VHDL or Verilog. The actual simulation of the behavior must be done with an external simulator. At present only the VHDL simulator ghdl and the verilog simulator Icarus Verilog are supported. The label of the component must match the name of the entity or module!</string> <string name="elem_ExternalFile">External File</string> <string name="elem_ExternalFile_tt">Component to execute an external process to calculate the logic function. Is used to specify the behaviour of a component by VHDL or Verilog. The actual simulation of the behavior must be done with an external simulator. At present only the VHDL simulator ghdl and the verilog simulator Icarus Verilog are supported. The label of the component must match the name of the entity or module!</string> <string name="elem_Diode">Diode</string> <string name="elem_Diode_tt">Simplified bidirectional diode. It is used to implement a wired AND or a wired OR. This is a ideal diode: There is no voltage drop across a forward-biased diode.</string> <string name="error">Error</string> <string name="err_N_isNotInputOrOutput">Pin {0} in component {1} is not a input or output</string> <string name="err_aSingleClockNecessary">A single clock component is necessary. All flip-flops must use this clock signal.</string> <string name="err_analyseNoInputs">The circuit has no labeled inputs</string> <string name="err_analyseNoOutputs">The circuit has no labeled outputs</string> <string name="err_breakTimeOut">No break detected after {0} cycles at break point ''{1}''. Possibly the number of timeout cycles in the break component should be increased.</string> <string name="err_builder_exprNotSupported">Expression {0} not supported</string> <string name="err_builder_operationNotSupported">Operation {0} not supported</string> <string name="err_builder_couldNotFillLUT">Error creating the lookup table.</string> <string name="err_burnError">More than one output is active on a wire, causing a short circuit.</string> <string name="err_pullUpAndDown">It is not allowed to connect a pull-up and pull-down resistor to the same net.</string> <string name="err_cannotAnalyse_N">Cannot analyse Node {0}</string> <string name="err_containsVarAndNotVar">Contains [var] and [not var]</string> <string name="err_duplicatePinLabel">Pin ''{0}'' in component ''{1}'' exists twice.</string> <string name="err_element_N_notFound">Component {0} not found</string> <string name="err_exact_N0_valuesNecessaryNot_N1">Exact {0} values necessary, not {1}</string> <string name="err_ffNeedsToBeConnectedToClock">Flip-flop needs to be connected to the clock.</string> <string name="err_invalidFileFormat">Invalid file format</string> <string name="err_isAlreadyInitialized">Logic is already initialized</string> <string name="err_labelNotConnectedToNet_N">A tunnel {0} is not connected!</string> <string name="err_moreThanOneClockFound">There is more than one clock</string> <string name="err_clockIsNotUsed">The clock component is not used!</string> <string name="err_needs_N0_bits_found_N2_bits">There are {0} bits needed, but {1} bits found</string> <string name="err_netOfPin_N_notFound">Net of pin {0} not found</string> <string name="err_noClockFound">No clock found in logic</string> <string name="err_noInputsAvailable">No inputs available to set</string> <string name="err_noShapeFoundFor_N">No shape found for component {0}</string> <string name="err_noValueSetFor_N0_atElement_N1">Nothing connected to input ''{0}'' at component ''{1}''. Open inputs are not allowed.</string> <string name="err_notAllOutputsSameBits">Not all connected outputs have the same bit count</string> <string name="err_notAllOutputsSupportHighZ">If multiple outputs are connected together, all of them have to be three-state outputs.</string> <string name="err_noOutConnectedToWire">No output connected to a wire ({0}). The state of the wire is undefined.</string> <string name="err_oneResultIsRequired">Table too small: One result is required!</string> <string name="err_output_N_notDefined">Output {0} not defined</string> <string name="err_pinMap_NoNameForPin_N">No label for pin {0}</string> <string name="err_pinMap_Pin_N_AssignedTwicePin">Pin {0} assigned twice!</string> <string name="err_pinMap_pin_N0_isNotAnInput">Pin {0} is not an input!</string> <string name="err_pinMap_pin_N0_isNotAnOutput">Pin {0} is not an output!</string> <string name="err_pinMap_noEqualsfound">No = found!</string> <string name="err_pinMap_toMannyInputsDefined">Too many inputs used!</string> <string name="err_pinMap_toMannyOutputsDefined">Too many outputs used!</string> <string name="err_pinNotPresent">Pin not present</string> <string name="err_pinWithoutName">Found a pin without a label.</string> <string name="err_clockWithoutName">Found a clock without a label. If a clock is embedded the clock also needs a label.</string> <string name="err_pin_N0_atElement_N1_notFound">Pin {0} not found at component {1}</string> <string name="err_pin_N_notFound">Pin {0} not found</string> <string name="err_customShapeHasNoPin_N">The custom shape does not define a pin {0}</string> <string name="err_pin_N_unknown">Pin {0} unknown</string> <string name="err_seemsToOscillate">Logic seems to oscillate. To analyse you can run the circuit in single gate step mode.</string> <string name="err_portIsInUse">The remote port is in use! Is there an other instance running?</string> <string name="err_selectorInputCountMismatch">Number of inputs does not match selector bit count</string> <string name="err_spitterDefSyntaxError">Syntax error in splitter definition {0}</string> <string name="err_splitterBitsMismatch">Bit count of splitter is not matching</string> <string name="err_splitterNotAllBitsDefined">Not all input bits are defined!</string> <string name="err_splitterNotUnambiguously">Input bits are defined several times!</string> <string name="err_spitterToManyBits">Only 64 bits allowed in splitter!</string> <string name="err_tableBecomesToSmall">Two inputs are required!</string> <string name="err_toManyInputs_max_N0_is_N1">Too many variables (inputs+flip-flops), {0} are allowed but {1} were found.</string> <string name="err_toManyInputsIn_N0_max_N1_is_N2">Too many variables used in {0}, {1} are allowed variables but {2} were found.</string> <string name="err_varNotAllowedInCUPL_N">Variable {0} is not allowed in CUPL source!</string> <string name="err_varNotDefined_N">Variable {0} not defined</string> <string name="err_parserUnexpectedToken_N">Unexpected Token {0}</string> <string name="err_parserMissingClosedParenthesis">Missing closed parenthesis</string> <string name="err_notANumber_N0_inLine_N1">Value {0} in line {1} is not a number!</string> <string name="err_testDataExpected_N0_found_N1_numbersInLine_N2">Expected {0} but found {1} values in line {2}!</string> <string name="err_unexpectedToken_N0_inLine_N1">Unexpected token ({0}) in line {1}.</string> <string name="err_variable_N0_notFound">Variable {0} not found!</string> <string name="err_noTestInputSignalsDefined">No input signals defined in test vector!</string> <string name="err_noTestOutputSignalsDefined">No output signals defined in test vector!</string> <string name="err_noTestData">No test data found.</string> <string name="err_pullUpAndDownNotAllowed">It's not allowed to connect a pull up and a pull down resistor to a single wire.</string> <string name="err_openingDocumentation">Could not open the browser.</string> <string name="err_couldNotCreateFolder_N0">Could not create folder "{0}"!</string> <string name="err_switchHasNoNet">It is not allowed to connect only inputs to a switch.</string> <string name="err_file_N0_ExistsTwiceBelow_N1">The file {0} exists multiple times under {1}.</string> <string name="err_couldNotFindIncludedFile_N0">Could not find the file {0}.</string> <string name="err_postProcessErrorIn_N0">Error during execution of "{0}".</string> <string name="err_processDoesNotTerminate_N">The process "{0}" does not return!</string> <string name="err_processExitedWithError_N1_N2">The process returns the non zero value {0}: {1}</string> <string name="err_errorRunningFitter">Error starting the external fitter!</string> <string name="err_noExpressionsAvailable">There are no minimized equations!</string> <string name="msg_optimizationInProgress">Equations are being calculated! Please wait a moment!</string> <string name="err_varName_N_UsedTwice">The variable {0} is used twice!</string> <string name="err_fileNeedsToBeSaved">The file needs to be saved!</string> <string name="err_recursiveNestingAt_N0">The circuit {0} imports itself!</string> <string name="err_minimizationFailed">The result of the minimization is not correct! The names of the variables may not be unique.</string> <string name="err_toManyIterations">Too many iterations in a loop.</string> <string name="err_diodeNeedsPullUpResistorAtOutput">Diode needs a pull up resistor at its output!</string> <string name="err_diodeNeedsPullDownResistorAtOutput">Diode needs a pull down resistor at its output!</string> <string name="err_testSignal_N_notFound">Test signal {0} not found in the circuit!</string> <string name="err_toManyBits_Found_N0_maxIs_N1">Only {1} bits allowed, but {0} bits found!</string> <string name="err_MultiBitFlipFlopFound">Flip-flops with more than one bit are not allowed!</string> <string name="err_invalidTransmissionGateState">The two control inputs of a transmission gate must be inverted!</string> <string name="err_nameUsedTwice_N">Signal {0} is used twice!</string> <string name="err_errorParsingTestdata">Error parsing the test data.</string> <string name="err_backtrackOf_N_isImpossible">The model component {0} can not be analysed.</string> <string name="err_errorInPowerSupply">Error in wiring of power supply at {0}.</string> <string name="err_pinIsNotANumber_N">The pin number {0} is not an integer!</string> <string name="err_vhdlExporting">Error during export to VHDL.</string> <string name="err_vhdlNoEntity_N">No VHDL code for {0} available!</string> <string name="err_verilogNoElement_N">No Verilog code for {0} available!</string> <string name="err_vhdlErrorWritingTestBench">Error creating a test bench!</string> <string name="err_vhdlValuesOfType_N_notAllowed">Values of type {0} are not allowed!</string> <string name="err_vhdlANameIsMissing">A name is missing. Have e.g. all pins a label set?</string> <string name="err_hdlMultipleOutputsConnectedToNet_N_N_N">Several outputs are connected to each other. This type of interconnection is not supported for HDL export. ({0}, {1}, {2}).</string> <string name="err_hdlTestCaseHasGenericCode">Test cases with generic parameterization are not supported in HDL export!</string> <string name="err_unnamedNet">unnamed net</string> <string name="err_toManyVars">Too many variables!</string> <string name="err_invalidExpression">Invalid expression!</string> <string name="err_function_N0_notFoundInLine_N1">Function {0} not found in line {1}!</string> <string name="err_wrongNumOfArgsIn_N0_InLine_N1_found_N2_expected_N3">Number of arguments in function {0} in line {1} not correct (found {2}, expected {3})!</string> <string name="err_invalidValue_N0_inFunction_N1">Invalid value {0} in function {1}!</string> <string name="err_Node_N_isAComponent">The name {0} is not a path element.</string> <string name="err_loadingLibrary">Error during loading of a library.</string> <string name="err_noManifestFound">The JAR file contains no manifest!</string> <string name="err_noMainFoundInManifest">The manifest does not contain a Main-Class entry!</string> <string name="err_mainClass_N_NotFound">Could not find the class {0}!</string> <string name="err_couldNotInitializeMainClass_N">Could not create an instance of the class {0}!</string> <string name="err_notMoreOutBitsThanInBits">There must be more input bits than output bits!</string> <string name="err_constantsNotAllowed">It is not possible to set physical pins to constant values!</string> <string name="err_invalidNumberFormat_N_N">The string {0} is not a valid number (pos {1})!</string> <string name="err_invalidPinName_N">The name "{0}" is not allowed!</string> <string name="err_whiteSpaceNotAllowedInTT2Name">No white space is allowed in the name of the TT2 file!</string> <string name="err_tableHasToManyResultColumns">The table has too many columns!</string> <string name="err_errorExportingZip">Error writing the ZIP file.</string> <string name="err_moreThanOneFastClock">Only one clock component with high frequency is allowed.</string> <string name="err_circuitHasCycles">The circuit contains cycles. It's not possible to analyze such a circuit. Cycles arise if an output of a gate is fed back to one of the inputs of the same gate. The use of switches, FETs or relays also causes cycles.</string> <string name="err_monoflopRequiresOneClock">If a monoflop is used, there must be exactly one clock component!</string> <string name="err_couldNotCreateElement_N">Could not create a component of type {0}!</string> <string name="err_centralDefinedRomsAreNotSupported">ROMs defined in the settings are not supported!</string> <string name="err_namesAreNotUnique_N">The name "{0}" is not unique!</string> <string name="err_errorWritingDataToProcess">Could not write values to the external process!</string> <string name="err_errorReadingDataFromProcess">Could not read values from the external process!</string> <string name="err_errorCreatingProcess">Could not create the external process!</string> <string name="err_timeoutReadingData_O">Timeout reading data from external process! {0}</string> <string name="err_notEnoughDataReceived_O">Not enough data received! {0}</string> <string name="err_invalidCharacterReceived_N_O">The received text contains an invalid character: {0}! {1}</string> <string name="err_processTerminatedUnexpected_O">The process has terminated unexpected! {0}</string> <string name="err_couldNotTerminateProcess">Could not terminate the process!</string> <string name="err_couldNotStartProcess_N">Could not start process: {0}</string> <string name="err_exitValueNotNull_N_O">Application exit status was not 0 but {0}: {1}</string> <string name="err_canOnlyExportExternalVHDL">External code can only be exported if it is VHDL!</string> <string name="err_canOnlyExportExternalVerilog">External code can only be exported if it is Verilog!</string> <string name="err_ifExternalComponentIsUsedTwiceCodeMustBeIdentical_N">If an external component is used multiple times, the code must be identical! Effects: {0}</string> <string name="err_writingToStdOut_O">Could not write to stdOut: {0}</string> <string name="err_ghdlNotInstalled">The VHDL simulator ghdl does not seem to be installed. Install ghdl (path_to_url and try again. If there are still problems, check the path to the ghdl executable in the Digital settings.</string> <string name="err_iverilogNotInstalled">The Verilog simulator Icarus does not seem to be installed. Install IVerilog (path_to_url and try again. If there are still problems, check the path to the IVerilog executable in the Digital settings.</string> <string name="err_errorLoadingHDLFile_N">Error loading the HDL file {0}</string> <string name="err_emptyLabelIsNotAllowed">A empty label is not allowed!</string> <string name="err_errorAnalysingCircuit_N">Error analysing the circuit: {0}</string> <string name="err_romNeedsALabelToBeExported">Every ROM needs a unique label to be exported!</string> <string name="err_lutNeedsALabelToBeExported">Every LUT needs a unique label to be exported!</string> <string name="err_counterNeedsMoreBits">The counter needs at least two bits.</string> <string name="err_clocksNotAllowedInAsyncMode">Clock elements can not be used in asynchronous mode.</string> <string name="err_verilogExporting">Error during export to Verilog.</string> <string name="err_noMemoryFound">No memory "{0}" found in the model!</string> <string name="err_multipleMemoriesFound">Multiple memories "{0}" found in the model!</string> <string name="err_errorLoadingRomData">Error loading the program memory.</string> <string name="err_parsingSVG">Error while reading the SVG file.</string> <string name="err_morePinsDefinedInSVGAsNeeded">The SVG file contains pins that do not exist in the circuit.</string> <string name="err_allMemoriesNeedToHaveTheSameByteWidth">All memories into which data are to be loaded require the same bit width.</string> <string name="err_ProgMemLabelsNotDifferent">If programs are to be loaded into several RAMs, all RAMs must have different names. The lexical order then determines the order of the RAMs.</string> <string name="err_midiSystemNotAvailable">The MIDI-System is not available.</string> <string name="err_midiChannel_N_NotAvailable">The MIDI channel {0} is not available.</string> <string name="err_midiInstrument_N_NotAvailable">The MIDI instrument {0} is not available.</string> <string name="err_midiInstrumentsNotAvailable">The MIDI instruments are not available.</string> <string name="err_whileExecutingTests_N0">During the execution of the tests "{0}" an error has occurred!</string> <string name="err_hdlNotKnown_N">HDL not known: {0}</string> <string name="msg_errorStartCommand_N">Error starting the command {0}</string> <string name="err_thereIsAUnnamedIO">There is a unnamed input or output!</string> <string name="err_NameOfIOIsInvalidOrNotUnique_N">The signal name "{0}" is invalid or used multiple times!</string> <string name="err_substitutingError">Error when substituting components for the analysis.</string> <string name="err_evaluatingGenericsCode_N_N">Error in the evaluation of the generic code of the circuit. Code {1} at Component: {0}</string> <string name="msg_errParsingGenerics">Error while parsing generics code.</string> <string name="err_noGenericInitCode">No initialization code for the generic components. A respective component must be added to the circuit in order to start it.</string> <string name="err_multipleGenericInitCodes">Multiple initialization codes for the generic elements.</string> <string name="err_inGenericInitCode">Error in the analysis of the generic initialization code.</string> <string name="err_writeInCodeComponentsOnly">Global variables can only be written in code components.</string> <string name="err_vgaModeNotDetected_N">Video mode was not detected ({0})</string> <string name="err_ROM_noFileGivenToLoad">There is no file name available for the automatic reload!</string> <string name="err_virtualSignal_N_DeclaredTwiceInLine_N">Virtual signal {0} declared twice in line {1}!</string> <string name="err_csvNoHeaderFound">No header found!</string> <string name="err_csvNoOutputValuesFound">No output values found!</string> <string name="err_csvNotEnoughValues">Not enough values in one line!</string> <string name="err_csvToManyValues">Too many values in one line!</string> <string name="err_errorWritingFile_N">Error writing file {0}.</string> <string name="err_circuitContainsNoComponents">The circuit contains no components!</string> <string name="err_couldNotCreateServer">Could not start the server!</string> <string name="key_AddrBits">Address Bits</string> <string name="key_AddrBits_tt">Number of address bits used.</string> <string name="key_Bits">Data Bits</string> <string name="key_Color">Color</string> <string name="key_Color_tt">The Color of the element.</string> <string name="key_backgroundColor">Background color</string> <string name="key_backgroundColor_tt">Background color of the circuit when it is embedded in another circuit. Is not used for DIL packages.</string> <string name="key_Cycles">Timeout cycles</string> <string name="key_Cycles_tt">If this amount of cycles is reached without a break signal, an error is created.</string> <string name="key_Data">Data</string> <string name="key_Data_tt">The values stored in this element.</string> <string name="key_Default">Default</string> <string name="key_Default_tt">This value is set if the circuit is started. At the demultiplexer, this value is set for the non-selected outputs.</string> <string name="key_InDefault">Default</string> <string name="key_InDefault_tt">This value is set if the circuit is started. A "Z" means high-z state.</string> <string name="key_isHighZ">Is three-state input</string> <string name="key_isHighZ_tt">If set the input is allowed to be in high-z state. At the input component this is also allowed if high-z ("Z") is set as the default value.</string> <string name="key_avoidActiveLow">No zero output.</string> <string name="key_avoidActiveLow_tt">Avoids zero output. This is especially helpful when setting up relay circuits. Can only be activated if a high-z output is allowed.</string> <string name="key_Description">Description</string> <string name="key_Description_tt">A short description of this element and its usage.</string> <string name="key_Frequency">Frequency/Hz</string> <string name="key_Frequency_tt">The real time frequency used for the real time clock</string> <string name="key_IEEEShapes">Use IEEE 91-1984 shapes</string> <string name="key_IEEEShapes_tt">Use IEEE 91-1984 shapes instead of rectangular shapes</string> <string name="key_Inputs">Number of Inputs</string> <string name="key_Inputs_tt">The Number of Inputs used. Every input needs to be connected.</string> <string name="key_Label">Label</string> <string name="key_Label_tt">The name of this element.</string> <string name="key_Size">Size</string> <string name="key_Size_tt">The size of the shape in the circuit.</string> <string name="key_small">Small Shape</string> <string name="key_small_tt">If selected, a smaller shape will be used.</string> <string name="key_Language">Language</string> <string name="key_Language_tt">Language of the GUI. Will only take effect after a restart.</string> <string name="key_NetName">Net name</string> <string name="key_NetName_tt">All nets with identical name are connected together.</string> <string name="key_InputSplitting">Input Splitting</string> <string name="key_InputSplitting_tt">If e.g. four bits, two bits and two further bits are to be used as inputs, this can be configured with "4,2,2". The number indicates the number of bits. For convenience, the asterisk can be used: 16 bits can be configured with "[Bits]*[Number]" as "1*16". It is also possible to specify the bits to be used directly and in any order. For example, "4-7,0-3" configures bits 4-7 and 0-3. This notation allows any bit arrangement. The input bits must be specified completely and unambiguously.</string> <string name="key_OutputSplitting_tt">If e.g. four bits, two bits and two further bits are to be used as outputs, this can be configured with "4,2,2". The number indicates the number of bits. For convenience, the asterisk can be used: 16 bits can be configured with "[Bits]*[Number]" as "1*16". It is also possible to specify the bits to be used directly and in any order. For example, "4-7,0-3" configures bits 4-7 and 0-3. This notation allows any bit arrangement. Output bits can also be output several times: "0-7,1-6,4-7".</string> <string name="key_SelectorBits">Number of Selector Bits</string> <string name="key_SelectorBits_tt">Number of bits used for the selector input.</string> <string name="key_Signed">Signed Operation</string> <string name="key_Signed_tt">If selected the operation is performed with signed (2th complement) values.</string> <string name="key_remainderPositive">Remainder always positive</string> <string name="key_remainderPositive_tt">If set, the remainder of a signed division is always positive.</string> <string name="key_Closed">Closed</string> <string name="key_Closed_tt">Sets the initial state of the switch.</string> <string name="key_Value">Value</string> <string name="key_Value_tt">The value of the constant.</string> <string name="key_Width">Width</string> <string name="key_Width_tt">Width of symbol if this circuit is used as an component in an other circuit.</string> <string name="key_Height">Height</string> <string name="key_Height_tt">Height of symbol if this circuit is used as an component in an other circuit.</string> <string name="key_autoReload">Reload at model start</string> <string name="key_autoReload_tt">Reloads the HEX file every time the model is started.</string> <string name="key_lastDataFile_tt">File to be loaded into the ROM.</string> <string name="key_flipSelPos">Flip selector position</string> <string name="key_flipSelPos_tt">This option allows you to move te selector pin to the opposite side of the plexer.</string> <string name="key_intFormat">Number Format</string> <string name="key_intFormat_tt">The format used to show the numbers.</string> <string name="key_intFormat_bin">Bin</string> <string name="key_intFormat_dec">Decimal</string> <string name="key_intFormat_decSigned">Signed decimal</string> <string name="key_intFormat_def">Default</string> <string name="key_intFormat_hex">Hex</string> <string name="key_intFormat_oct">Octal</string> <string name="key_intFormat_fixed">Fixed Point</string> <string name="key_intFormat_fixedSigned">Signed Fixed Point</string> <string name="key_intFormat_floating">Floating Point</string> <string name="key_fixedPoint">fixed point digits</string> <string name="key_fixedPoint_tt">Number of fractional binary digits</string> <string name="key_barrelSigned">shift input has sign</string> <string name="key_barrelSigned_tt">shift input data has two complement format</string> <string name="key_barrelShifterMode">Mode</string> <string name="key_barrelShifterMode_tt">Mode of barrel shifter</string> <string name="key_barrelShifterMode_logical">Logical</string> <string name="key_barrelShifterMode_rotate">Rotate</string> <string name="key_barrelShifterMode_arithmetic">Arithmetic</string> <string name="key_direction">Direction</string> <string name="key_direction_tt">Set direction.</string> <string name="key_direction_left">left</string> <string name="key_direction_right">right</string> <string name="key_maxStepCount">Max number of steps to show</string> <string name="key_maxStepCount_tt">The maximal number of values stored. If the maximum number is reached, the oldest values are discarded.</string> <string name="key_microStep">Show single gate steps</string> <string name="key_microStep_tt">Shows all single step steps in the graphic.</string> <string name="key_rotation">Rotation</string> <string name="key_rotation_tt">The orientation of the Element in the circuit.</string> <string name="key_mirror">Mirror</string> <string name="key_mirror_tt">Mirrors the component in the circuit.</string> <string name="key_runRealTime">Start real time clock</string> <string name="key_runRealTime_tt">If enabled the runtime clock is started when the circuit is started</string> <string name="key_showDataGraph">Show measurement graph at simulation start</string> <string name="key_showDataGraph_tt">When the simulation is started, a graph with the measured values is shown.</string> <string name="key_showDataGraphMicro">Show measurement graph in single gate step mode at simulation start</string> <string name="key_showDataGraphMicro_tt">When the simulation is started, a graph with the measured values in the gate step mode is shown. All gate changes are included in the graph.</string> <string name="key_addValueToGraph">Show in Measurement Graph</string> <string name="key_addValueToGraph_tt">Shows the value in the measurement graph.</string> <string name="key_showDataTable">Show measurement values at simulation start</string> <string name="key_showDataTable_tt">When the simulation is started, a table with the measured values is shown.</string> <string name="key_termHeight">Lines</string> <string name="key_termHeight_tt">The number of lines to show.</string> <string name="key_termWidth">Characters per line</string> <string name="key_termWidth_tt">The number of characters shown in a single line.</string> <string name="key_valueIsProbe">Use as measurement value</string> <string name="key_valueIsProbe_tt">If set the value is a measurement value and appears in the graph and data table. In addition, a label must be specified that can serve as identification of the value.</string> <string name="key_Testdata">Test data</string> <string name="key_Testdata_tt">The description of the test case. Details of the syntax can be found in the help dialog of the test data editor.</string> <string name="key_graphicWidth">Width in pixels</string> <string name="key_graphicWidth_tt">The screen width in pixels.</string> <string name="key_graphicHeight">Height in pixels</string> <string name="key_graphicHeight_tt">The screen height in pixels.</string> <string name="key_isProgramMemory">Program Memory</string> <string name="key_isProgramMemory_tt">Makes this ROM to program memory. So it can be accessed by an external IDE.</string> <string name="key_isProgramCounter_tt">Makes this register a program counter. The value of this register is returned to the external assembler IDE to mark the current line of code during debugging.</string> <string name="key_Blown">Programmed</string> <string name="key_Blown_tt">If set a diode is "blown" or "programmed". At a floating gate FET the floating gate is charged. You can change this setting with the [P] key.</string> <string name="key_ExpressionFormat">Format</string> <string name="key_ExpressionFormat_tt">Screen format of expressions.</string> <string name="key_relayNormallyClosed">Relay is normally closed.</string> <string name="key_relayNormallyClosed_tt">If set the relay is closed if the input is low.</string> <string name="key_poles">Pole count</string> <string name="key_poles_tt">Number of poles available.</string> <string name="key_commonCathode">Common Connection</string> <string name="key_commonCathode_tt">If selected, a common cathode or anode input is also simulated.</string> <string name="key_commonConnectionType">Common</string> <string name="key_commonConnectionType_tt">Kind of common connection.</string> <string name="key_commonConnectionType_cathode">Cathode</string> <string name="key_commonConnectionType_anode">Anode</string> <string name="key_ledPersistence">Avoid Flicker</string> <string name="key_ledPersistence_tt">It is not possible to increase the frequency so much that the flickering disappears. In order to suppress the flickering nevertheless, a "afterglow" can be switched on for the LEDs with this option. If enabled, the LEDs remain on, even if one of the pins changes to high-z. This simulates a frequency above the critical flicker fusion frequency.</string> <string name="key_atf1502Fitter_tt">Path to the fitter for the ATF15xx. Enter the directory which contains the fit15xx.exe files provided by Microchip (former ATMEL).</string> <string name="key_pin">Pin number</string> <string name="key_pin_tt">An empty field means this signal is not assigned to a pin.</string> <string name="key_rowDataBits">Rows</string> <string name="key_rowDataBits_tt">Specifies the number of rows by specifying the number of bits of the row word.</string> <string name="key_colAddrBits">Address bits of columns</string> <string name="key_colAddrBits_tt">Addresses the individual columns. Three bits means eight columns.</string> <string name="key_lockedMode">Modification locked</string> <string name="key_lockedMode_tt">The circuit is locked. It is possible to configure diodes and FGF-FETs.</string> <string name="key_pinNumber">Pin number</string> <string name="key_pinNumber_tt">Number of this pin. Used for the representation of a circuit as a DIL package and the pin assignment when programming a CPLD. If there are several bits, all pin numbers can be specified as a comma-separated list.</string> <string name="key_pinCount">Number of DIL pins</string> <string name="key_pinCount_tt">Number of pins. A zero means that the number of pins is determined automatically.</string> <string name="key_defTreeSelect">Component tree view is visible at startup.</string> <string name="key_defTreeSelect_tt">If set, the component tree view is enabled at startup.</string> <string name="key_inverterConfig">Inverted inputs</string> <string name="key_inverterConfig_tt">You can select the inputs that are to be inverted.</string> <string name="key_fontSize">Menus Font Size [%]</string> <string name="key_fontSize_tt">Size of the fonts used in the menu in percent of the default size.</string> <string name="key_withEnable">Enable Input</string> <string name="key_withEnable_tt">If set an enable input (T) is available.</string> <string name="key_unidirectional">Unidirectional</string> <string name="key_unidirectional_tt">Unidirectional transistors propagate a signal only from source to drain. They are much faster to simulate than bidirectional transistors. Since there is no feedback from drain to source, in this mode, the transistor can not short the connected wires when it is conducting. Thus, this mode is necessary to simulate certain CMOS circuits.</string> <string name="key_activeLow">Active Low</string> <string name="key_activeLow_tt">If selected the output is low if the component is active.</string> <string name="key_libraryPath">Library</string> <string name="key_libraryPath_tt">Folder which contains the library with predefined sub circuits. Contains, for example, the components of the 74xx series. You also can add your own circuits by storing them at this location. It must be ensured that the names of all files in this folder and all subfolders are unique.</string> <string name="key_grid">Show Grid</string> <string name="key_grid_tt">Shows a grid in the main window.</string> <string name="key_wireToolTips">Wire tool tips</string> <string name="key_wireToolTips_tt">If set, lines are highlighted when the mouse hovers over them.</string> <string name="key_mapToKey">Map to keyboard</string> <string name="key_mapToKey_tt">Button is mapped to the keyboard. To use the cursor keys use UP, DOWN, LEFT or RIGHT as label.</string> <string name="key_jarPath">Java library</string> <string name="key_jarPath_tt">A jar file containing additional components implemented in Java.</string> <string name="key_showWireBits">Show the number of wires on a bus.</string> <string name="key_showWireBits_tt">CAUTION: The value is only updated when the simulation starts.</string> <string name="key_inputBits">Input Bit Width</string> <string name="key_inputBits_tt">The number of output bits must be greater than the number of input bits.</string> <string name="key_outputBits">Output Bit Width</string> <string name="key_outputBits_tt">The number of output bits must be greater than the number of input bits.</string> <string name="key_textFontSize">Font Size</string> <string name="key_textFontSize_tt">Sets the font size to use for this text.</string> <string name="key_delayTime">Duration</string> <string name="key_delayTime_tt">Delay time in units of the common gate propagation delay.</string> <string name="key_invertOutput">Inverted output</string> <string name="key_invertOutput_tt">If selected the output is inverted.</string> <string name="key_timerDelay">Pulse Width</string> <string name="key_timerDelay_tt">The pulse width is measured in clock cycles.</string> <string name="key_splitterSpreading_tt">Configures the spread of the inputs and outputs in the circuit.</string> <string name="key_romContent">Content of ROMs</string> <string name="key_romContent_tt">Content of all used ROMs</string> <string name="key_applicationType">Application</string> <string name="key_applicationType_tt">Defines which application to use.</string> <string name="key_applicationType_Generic">Generic</string> <string name="key_externalInputs">Inputs</string> <string name="key_externalInputs_tt">The inputs of the external process. It is a comma-separated list of signal names. For each signal name, a number of bits separated by a colon can be specified. The inputs of an 8-bit adder could thus be described as "a:8,b:8,c_in".</string> <string name="key_externalOutputs">Outputs</string> <string name="key_externalOutputs_tt">The outputs of the external process. It is a comma-separated list of signal names. For each signal name, a number of bits separated by a colon can be specified. The outputs of an 8-bit adder could thus be described as "s:8,c_out".</string> <string name="key_Code">Program code</string> <string name="key_Code_tt">The program code to be executed by the external application.</string> <string name="key_CodeFile">Program code</string> <string name="key_CodeFile_tt">The file containing the program code to be executed by the external application.</string> <string name="attr_panel_Options">Options</string> <string name="key_ghdlPath_tt">Path to the executable ghdl file. Only necessary if you want to use ghdl to simulate components defined with VHDL.</string> <string name="key_ghdlOptions">GHDL Options</string> <string name="key_ghdlOptions_tt">Options that are used for all processing steps by GHDL.</string> <string name="key_iverilogOptions">IVerilog Options</string> <string name="key_iverilogOptions_tt">Options that are used for all processing steps by IVerilog.</string> <string name="key_iverilogPath_tt">Path to the Icarus Verilog installation folder. Only necessary if you want to use iverilog to simulate components defined with Verilog.</string> <string name="key_maxValue">Maximum Value</string> <string name="key_maxValue_tt">If a zero is entered, the maximum possible value is used (all bits are one).</string> <string name="key_dipDefault">Output is High</string> <string name="key_dipDefault_tt">The default output value of the DIP switch when the simulation starts.</string> <string name="key_macMouse">Use macOS mouse clicks.</string> <string name="key_macMouse_tt">Uses CTRL-click instead of right-click.</string> <string name="key_tunnelRenameDialog">Show dialog for automatic renaming of tunnels.</string> <string name="key_tunnelRenameDialog_tt">If set, a dialog for automatically renaming all tunnels of the same name is displayed after a tunnel has been renamed.</string> <string name="key_ATMISP_tt">Path to the executable file ATMISP.exe. If set, the ATMISP software can be started automatically!</string> <string name="key_customShape">Custom Shape</string> <string name="key_customShape_tt">Import of a SVG file</string> <string name="key_preloadProgram">Preload program memory at startup.</string> <string name="key_preloadProgram_tt">When simulating a processor that uses a RAM device as the program memory, it is difficult to start this processor because the RAM contents are always initialized with zeros at the start of the simulation. This setting allows loading data into the program memory at startup. The program memory in the simulation must be marked as such.</string> <string name="key_preloadProgramFile">Program file</string> <string name="key_preloadProgramFile_tt">File which should be loaded into the program memory at the start of the simulation.</string> <string name="key_RectWidth">Width</string> <string name="key_RectWidth_tt">Width in grid units</string> <string name="key_RectHeight">Height</string> <string name="key_RectHeight_tt">Height in grid units</string> <string name="key_RectInside">Text Inside</string> <string name="key_RectInside_tt">Place text inside the rectangle.</string> <string name="key_RectBottom">Text at the bottom</string> <string name="key_RectBottom_tt">Place text at the bottom of the rectangle.</string> <string name="key_RectRight">Text on the right</string> <string name="key_RectRight_tt">Place text to the right of the rectangle.</string> <string name="key_wideShape">Wide Shape</string> <string name="key_wideShape_tt">Uses a wider shape to visualize the gate.</string> <string name="key_shapeType">Shape</string> <string name="key_shapeType_tt">The shape to be used for the representation of the circuit in an embedding circuit. In the "Simple" mode, the inputs are displayed on the left and the outputs on the right side of a simple rectangle. With "Layout", the position of the inputs and outputs and their orientation in the circuit determines the position of the pins. Here it is possible to have pins at the top or the bottom. When selecting "DIL-Chip", a DIL housing is used to display the circuit. The pin numbers of the inputs and outputs determine the position of the pins in this case.</string> <string name="key_shapeType_DEFAULT">Default</string> <string name="key_shapeType_SIMPLE">Simple</string> <string name="key_shapeType_DIL">DIL-Chip</string> <string name="key_shapeType_CUSTOM">User defined</string> <string name="key_textOrientation">Orientation</string> <string name="key_textOrientation_tt">Position of the coordinate relative to the text.</string> <string name="key_textOrientation_LEFTBOTTOM">left bottom</string> <string name="key_textOrientation_CENTERBOTTOM">center bottom</string> <string name="key_textOrientation_RIGHTBOTTOM">right bottom</string> <string name="key_textOrientation_RIGHTCENTER">right center</string> <string name="key_textOrientation_RIGHTTOP">right top</string> <string name="key_textOrientation_CENTERTOP">center top</string> <string name="key_textOrientation_LEFTTOP">left top</string> <string name="key_textOrientation_LEFTCENTER">left center</string> <string name="key_textOrientation_CENTERCENTER">center center</string> <string name="key_midiChannel">MIDI channel</string> <string name="key_midiChannel_tt">Selects the MIDI channel to use.</string> <string name="key_midiInstrument">MIDI instrument</string> <string name="key_midiInstrument_tt">The MIDI instrument to use.</string> <string name="key_midiProgChange">Allow program change</string> <string name="key_midiProgChange_tt">Adds a new input PC. If this input is set to high, the value at input N is used to change the program (instrument).</string> <string name="key_enabled">Enabled</string> <string name="key_enabled_tt">Enables or disables this component.</string> <string name="key_toolChainConfig">Toolchain Configuration</string> <string name="key_toolChainConfig_tt">Used to configurate an integration of a toolchain. Allows the start of external tools, e.g. to program an FPGA or similar.</string> <string name="key_generic">Generic Parameterization</string> <string name="key_generic_tt">Statements used to generify a circuit.</string> <string name="key_isGeneric">Circuit is generic</string> <string name="key_isGeneric_tt">Allows to create a generic circuit.</string> <string name="key_showTutorial">Show Tutorial at Startup</string> <string name="key_showTutorial_tt">Enables the tutorial.</string> <string name="key_switchActsAsInput">Switch behaves like an input</string> <string name="key_switchActsAsInput_tt">If the model is analyzed, the switch behaves like an input, where "open" corresponds to '0' and "closed" to '1'.</string> <string name="menu_exportSVGSettings">SVG Export Settings</string> <string name="key_SVG_LaTeX">Text in LaTeX notation</string> <string name="key_SVG_LaTeX_tt">Text is inserted in LaTeX notation. Inkscape is required for further processing.</string> <string name="key_SVG_pinsInMathMode">Pin labels in Math Mode</string> <string name="key_SVG_pinsInMathMode_tt">For pin labels, use math mode even if no indexes are contained.</string> <string name="key_SVG_hideTest">Hide Test Cases</string> <string name="key_SVG_hideTest__">The test cases are not exported.</string> <string name="key_SVG_noShapeFilling">Shapes not filled</string> <string name="key_SVG_noShapeFilling_tt">Polygons are not filled.</string> <string name="key_SVG_smallIO">Small Inputs and Outputs</string> <string name="key_SVG_smallIO_tt">Inputs and outputs are represented as small circles.</string> <string name="key_SVG_noPinMarker">Leave out Pin Marker</string> <string name="key_SVG_noPinMarker_tt">The blue and red pin markers on the symbols are omitted.</string> <string name="key_SVG_highContrast">High Contrast</string> <string name="key_SVG_highContrast_tt">The wires and the text of the pins are displayed in black.</string> <string name="key_SVG_monochrome">Monochrome</string> <string name="key_SVG_monochrome_tt">Only gray colors are used.</string> <string name="key_SVG_thinnerLines">Thin Lines</string> <string name="key_SVG_thinnerLines_tt">If set, the lines are drawn slightly thinner.</string> <string name="key_equalsInsteadOfPlus">Use Equals-Key</string> <string name="key_equalsInsteadOfPlus_tt">Use the equal key instead of the plus key. This is always useful if the plus character is not a primary key, but the second assignment of the equals character, e.g. for an American or French keyboard layout.</string> <string name="key_snapToGrid">Snap To Grid</string> <string name="key_snapToGrid_tt">If set, the component is aligned with the grid.</string> <string name="key_layoutShapeDelta">Pin Separator</string> <string name="key_layoutShapeDelta_tt">Used by the layout shape type. Sets the distance to the previous pin.</string> <string name="key_trigger">Trigger</string> <string name="key_trigger_tt">Trigger condition for data recording.</string> <string name="key_trigger_rising">rising edge</string> <string name="key_trigger_falling">falling edge</string> <string name="key_trigger_both">both edges</string> <string name="key_probeMode">Display Mode</string> <string name="key_probeMode_tt">Defines whether the value or a counter is to be displayed.</string> <string name="key_probeMode_VALUE">Show Value</string> <string name="key_probeMode_UP">Count on Rising Edge</string> <string name="key_probeMode_DOWN">Count on Falling Edge</string> <string name="key_probeMode_BOTH">Count both Edges</string> <string name="key_telnetEscape">Telnet mode</string> <string name="key_telnetEscape_tt">If set, the Telnet control commands are evaluated. In addition, the server sends the SGA and ECHO commands. If this option is disabled, the server is a simple TCP server.</string> <string name="key_port">Port</string> <string name="key_port_tt">The port to be opened by the server.</string> <string name="key_colorScheme">Color scheme</string> <string name="key_colorScheme_DEFAULT">Normal</string> <string name="key_colorScheme_DARK">Dark</string> <string name="key_colorScheme_COLOR_BLIND">Red/green colorblind</string> <string name="key_colorScheme_CUSTOM">User Defined</string> <string name="key_customColorScheme">User Defined Colors</string> <string name="colorName_BACKGROUND">Background</string> <string name="colorName_MAIN">Foreground</string> <string name="colorName_WIRE">Wire</string> <string name="colorName_WIRE_HIGH">Wire HIGH</string> <string name="colorName_WIRE_LOW">Wire LOW</string> <string name="colorName_WIRE_VALUE">Value at the wire</string> <string name="colorName_WIRE_OUT">Output</string> <string name="colorName_WIRE_Z">Wire HIGH-Z</string> <string name="colorName_ERROR">Error</string> <string name="colorName_PINS">Pins</string> <string name="colorName_GRID">Grid</string> <string name="colorName_DISABLED">Disabled</string> <string name="colorName_ASYNC">Asynchronous</string> <string name="colorName_HIGHLIGHT">Highlighted</string> <string name="mod_insertWire">Inserted wire.</string> <string name="mod_insertCopied">Insert from clipboard.</string> <string name="mod_setKey_N0_in_element_N1">Value ''{0}'' in component ''{1}'' modified.</string> <string name="mod_setAttributesIn_N">Attributes of component ''{0}'' modified.</string> <string name="mod_wireDeleted">Wire deleted.</string> <string name="mod_movedOrRotatedElement_N">Component ''{0}'' moved or rotated.</string> <string name="mod_movedWire">Wire moved.</string> <string name="mod_deletedSelection">Selection deleted.</string> <string name="mod_insertedElement_N">Component ''{0}'' inserted.</string> <string name="mod_deletedElement_N">Component ''{0}'' deleted.</string> <string name="mod_insertedWire">Wire inserted.</string> <string name="mod_movedSelected">Selection moved.</string> <string name="mod_undo_N">Undo: {0}</string> <string name="mod_redo_N">Redo: {0}</string> <string name="mod_circuitAttrModified">Modified circuit attributes.</string> <string name="mod_modifiedMeasurementOrdering">Ordered measurements.</string> <string name="mod_groupEdit">Modified attributes of selected components.</string> <string name="mod_splitWire">Splits a single wire into two wires.</string> <string name="mod_modifiedByRunningModel">Changes made by the running simulation.</string> <string name="lib_Logic">Logic</string> <string name="lib_arithmetic">Arithmetic</string> <string name="lib_flipFlops">Flip-Flops</string> <string name="lib_memory">Memory</string> <string name="lib_mux">Plexers</string> <string name="lib_wires">Wires</string> <string name="lib_switching">Switches</string> <string name="lib_displays">Displays</string> <string name="lib_mechanic">Mechanical</string> <string name="lib_peripherals">Peripherals</string> <string name="lib_misc">Misc.</string> <string name="lib_more">more</string> <string name="lib_decoration">Decoration</string> <string name="lib_generic">Generic</string> <string name="cli_cli">Command Line Interface</string> <string name="cli_nonOptionalArgumentMissing_N">The non-optional argument {0} is missing.</string> <string name="cli_notABool_N">The value {0} is not a boolean.</string> <string name="cli_notANumber_N">The value {0} is not a number.</string> <string name="cli_noArgument_N_available">The argument {0} is not defined.</string> <string name="cli_notEnoughArgumentsGiven">There are not enough arguments.</string> <string name="cli_toMuchArguments">There are too many arguments.</string> <string name="cli_invalidType_N">Invalid type.</string> <string name="cli_command_N_hasNoSubCommand_N">The command {0} has no sub-command {1}.</string> <string name="cli_options">Options:</string> <string name="cli_help_test">The first file name specifies the circuit to be tested. If a second file name is specified, the test cases are executed from this file. If no second file name is specified, the tests are executed from the first file.</string> <string name="cli_help_test_circ">Name of the file to be tested.</string> <string name="cli_help_test_tests">Name of a file with test cases.</string> <string name="cli_help_test_allowMissingInputs">Allows the lack of inputs in the circuit which are defined in the test case. This can be useful if there are several possible solutions which may depend on different inputs.</string> <string name="cli_help_test_verbose">If set, the value table is output in case of an error.</string> <string name="cli_thereAreTestFailures">Tests have failed.</string> <string name="cli_errorExecutingTests">An error has occurred during the execution of the tests.</string> <string name="cli_help_svg">Can be used to create an SVG file from a circuit.</string> <string name="cli_help_svg_dig">The file name of the circuit.</string> <string name="cli_help_svg_svg">The name of the SVG file to be written.</string> <string name="cli_help_svg_ieee">Use the IEEE symbols.</string> <string name="cli_errorCreatingSVG">Error while creating the SVG file!</string> <string name="cli_help_stats">Creates a CSV file which contains the circuit statistics. All components used are listed in the CSV file.</string> <string name="cli_help_stats_dig">File name of the circuit.</string> <string name="cli_help_stats_csv">Name of the CSV file to be created. If this option is missing, the table is written to stdout.</string> <string name="cli_errorCreatingStats">Error while creating the stats file!</string> <string name="menu_window">Windows</string> <string name="menu_about">About</string> <string name="menu_analyse">Analysis</string> <string name="menu_analyse_tt">Analyses the current circuit</string> <string name="menu_cut">Cut</string> <string name="menu_copy">Copy</string> <string name="menu_copy_tt">Copy to clipboard</string> <string name="menu_custom">Custom</string> <string name="menu_library">Library</string> <string name="menu_delete">Delete components</string> <string name="menu_delete_tt">Delete selected single component or group of components.</string> <string name="menu_edit">Edit</string> <string name="menu_editAttributes">Circuit specific settings</string> <string name="menu_editAttributes_tt">The circuit specific settings affect the behavior of the currently open circuit. For example, the shape that represents the circuit when it is embedded in other circuits. These settings are stored together with the circuit.</string> <string name="menu_editSettings">Settings</string> <string name="menu_editSettings_tt">The global settings of the simulator specify, among other things, the language, the symbol form to be used or the paths of external tools.</string> <string name="menu_element">Stop Simulation</string> <string name="menu_element_tt">Stops the simulation and allows to edits the circuit.</string> <string name="menu_elements">Components</string> <string name="menu_export">Export</string> <string name="menu_exportPNGLarge">Export PNG large</string> <string name="menu_exportPNGSmall">Export PNG small</string> <string name="menu_exportSVG">Export SVG</string> <string name="menu_exportAnimatedGIF">Export Animated GIF</string> <string name="menu_fast">Run to Break</string> <string name="menu_fast_tt">Runs the circuit until a break is detected by a BRK component.</string> <string name="menu_help">Help</string> <string name="menu_update">Update</string> <string name="menu_update_tt">Updates the components menu.</string> <string name="menu_maximize">Fit to window</string> <string name="menu_micro">Single gate stepping</string> <string name="menu_micro_tt">Runs the circuit in single gate step mode</string> <string name="menu_new">New</string> <string name="menu_new_tt">Creates a new, empty circuit.</string> <string name="menu_newSub">New embedded Circuit</string> <string name="menu_newSub_tt">Opens a new window to create a new embedded circuit, which can then be used in this circuit.</string> <string name="menu_open">Open</string> <string name="menu_openRecent">Open Recent</string> <string name="menu_openRecentNewWindow">Open Recent in New Window</string> <string name="menu_openWin">Open in New Window</string> <string name="menu_openWin_tt">Opens a circuit in a new window</string> <string name="menu_orderInputs">Order Inputs</string> <string name="menu_orderInputs_tt">Order the inputs for the use as a embedded circuit</string> <string name="menu_orderMeasurements">Order measurement values</string> <string name="menu_orderMeasurements_tt">Orders the measurement values in the graphical and table view</string> <string name="menu_orderOutputs">Order Outputs</string> <string name="menu_orderOutputs_tt">Order the outputs for the use as a embedded circuit.</string> <string name="menu_paste">Paste</string> <string name="menu_rotate">Rotate</string> <string name="menu_sim">Simulation</string> <string name="menu_run">Start of Simulation</string> <string name="menu_run_tt">Starts the simulation of the circuit.</string> <string name="menu_save">Save</string> <string name="menu_saveAs">Save As</string> <string name="menu_saveData">Save Data</string> <string name="menu_saveData_tt">Save data as CSV file</string> <string name="menu_speedTest">Speed Test</string> <string name="menu_speedTest_tt">Performs a speed test by calculating the max. clock frequency.</string> <string name="menu_step">Gate Step</string> <string name="menu_step_tt">Calculates a single gate step</string> <string name="menu_runToBreakMicro">Run To Break in Single Gate Mode</string> <string name="menu_runToBreakMicro_tt">Executes all single gate steps until a rising edge is detected on a break component. If there is no break component, the remaining single gate steps are executed.</string> <string name="menu_synthesise">Synthesis</string> <string name="menu_synthesise_tt">Generates the minimal bool expressions described by a truth table.</string> <string name="menu_scale">Set Scaling</string> <string name="menu_table_N_variables">{0} variables</string> <string name="menu_table_create">Create</string> <string name="menu_table_createCUPL_tt">Creates a CUPL source file containing the define circuit.</string> <string name="menu_table_createTT2_tt">Creates a file containing the circuit similar to the Berkeley Logic Interchange Format (BLIF). After that the Atmel fitter is started to create the JEDEC file.</string> <string name="menu_table_createCircuit">Circuit</string> <string name="menu_table_createCircuit_tt">Creates a circuit which reproduces the truth table.</string> <string name="menu_table_createCircuitJK">Circuit with JK flip-flops</string> <string name="menu_table_createCircuitJK_tt">Creates a circuit which reproduces the truth table. Uses JK flip-flops.</string> <string name="menu_table_createCircuitLUT">Circuit with LUTs</string> <string name="menu_table_createCircuitLUT_tt">Creates a circuit which reproduces the truth table. Uses lookup tables to create the expressions.</string> <string name="menu_table_createNAnd">Circuit with NAnd gates</string> <string name="menu_table_createNAndTwo">Circuit with NAnd gates with two inputs</string> <string name="menu_table_createNAndTwo_tt">Use only NAnd gates with two inputs.</string> <string name="menu_table_createNAnd_tt">Creates a circuit which reproduces the truth table only with NAnd gates.</string> <string name="menu_table_createNOr">Circuit with NOr gates</string> <string name="menu_table_createNOrTwo">Circuit with NOr gates with two inputs</string> <string name="menu_table_createNOrTwo_tt">Use only NOr gates with two inputs.</string> <string name="menu_table_createNOr_tt">Creates a circuit which reproduces the truth table only with NOr gates.</string> <string name="menu_table_create_hardware">Device</string> <string name="menu_table_create_jedec_tt">Creates a JEDEC file for the device</string> <string name="menu_table_exportTableLaTeX">Export LaTeX</string> <string name="menu_table_exportTablePlainText">Export Plain Text</string> <string name="menu_table_createFunctionFixture">Export Test Case</string> <string name="menu_table_createFunctionFixture_tt">Creates a test case description that can be used in a test case.</string> <string name="menu_table_createFunctionFixture_isSequential">The test case is only functional if the circuit is purely combinatorial!</string> <string name="menu_table_exportHex">HEX</string> <string name="menu_table_exportHex_tt">You can load the HEX file to a ROM or a LUT.</string> <string name="menu_table_exportCSV_tt">A CSV file containing the complete truth table.</string> <string name="menu_table_exportCSVCondensed">CSV, prime implicants</string> <string name="menu_table_exportCSVCondensed_tt">A CSV file containing only the prime implicants.</string> <string name="menu_table_new">New</string> <string name="menu_table_new_combinatorial">Combinatorial</string> <string name="menu_table_new_sequential">Sequential</string> <string name="menu_table_new_sequential_bidir">Sequential bidirectional</string> <string name="menu_table_reorder_inputs">Reorder/Delete Input Variables</string> <string name="menu_table_reorder_outputs">Reorder/Delete Output Columns</string> <string name="menu_table_columnsAdd">Add Output Column</string> <string name="menu_table_columnsAdd_tt">Adds a new result column to the table.</string> <string name="menu_table_columnsAddVariable">Add Input Variable</string> <string name="menu_table_columnsAddVariable_tt">Adds a new input variable to the table.</string> <string name="menu_table_setXTo0">Set X to 0</string> <string name="menu_table_setXTo0_tt">Sets the Don't Cares to 0.</string> <string name="menu_table_setXTo1">Set X to 1</string> <string name="menu_table_setXTo1_tt">Sets the Don't Cares to 1.</string> <string name="menu_table_JK">Create J/K Expressions</string> <string name="menu_table_setAllToX">Set all to X</string> <string name="menu_table_setAllToX_tt">Set all values to "don't care".</string> <string name="menu_table_setAllTo0">Set all to 0</string> <string name="menu_table_setAllTo0_tt">Set all values to zero.</string> <string name="menu_table_setAllTo1">Set all to 1</string> <string name="menu_table_setAllTo1_tt">Set all values to one.</string> <string name="menu_table_invert">Invert all bits</string> <string name="menu_table_invert_tt">A "1" becomes a "0" and vice versa. Don't cares remain unchanged.</string> <string name="menu_table_showAllSolutions">Show results dialog</string> <string name="menu_table_showAllSolutions_tt">Shows the results dialog again if it was closed manually.</string> <string name="menu_terminalDelete">Delete</string> <string name="menu_terminalDelete_tt">Delete the terminals content.</string> <string name="menu_view">View</string> <string name="menu_zoomIn">Zoom In</string> <string name="menu_zoomOut">Zoom Out</string> <string name="menu_expression">Expression</string> <string name="menu_expression_tt">Create a circuit from an expression.</string> <string name="menu_runTests">Run Tests</string> <string name="menu_runTests_tt">Runs all test cases in the circuit</string> <string name="menu_actualToDefault">Set Input Defaults</string> <string name="menu_actualToDefault_tt">Use current input values as new default values.</string> <string name="menu_restoreAllFuses">Reset all diodes and FGFETs</string> <string name="menu_restoreAllFuses_tt">Resets all diodes (fuses) and FGFETs to the "not programed" state. The current fuse configuration is lost!</string> <string name="menu_programDiode">Program diode</string> <string name="menu_help_elements">Components</string> <string name="menu_help_elements_tt">Shows a list of all available components.</string> <string name="menu_viewHelp">Help Dialog</string> <string name="menu_viewHelp_tt">Shows the help dialog describing the current circuit.</string> <string name="menu_probe_memory">Memory</string> <string name="menu_probe_memory_tt">Shows the content of memory components.</string> <string name="menu_insertAsNew">Paste in new window</string> <string name="menu_insertAsNew_tt">The content of the clipboard is pasted in a new window.</string> <string name="menu_treeSelect">Component Tree View</string> <string name="menu_treeSelect_tt">Shows a tree view of available components at the left side.</string> <string name="menu_special">Special 74xx Functions</string> <string name="menu_addPrefix">Add IO-Prefix</string> <string name="menu_addPrefix_tt">A prefix is added to all selected inputs and outputs. Is used to simplify the doubling of circuits within a 74xx circuit.</string> <string name="menu_removePrefix">Remove IO-Prefix</string> <string name="menu_removePrefix_tt">The first character from the inputs and outputs labels are removed. Is used to simplify the doubling of circuits within a 74xx circuit.</string> <string name="menu_numbering">Pin Wizard</string> <string name="menu_numbering_tt">Wizard to apply pin numbers to the inputs and outputs.</string> <string name="menu_removePinNumbers">Remove Pin Numbers</string> <string name="menu_removePinNumbers_tt">Remove all pin numbers in the circuit</string> <string name="menu_undo">Undo</string> <string name="menu_undo_tt">Revert last modification</string> <string name="menu_redo">Redo</string> <string name="menu_redo_tt">Apply last reverted modification again.</string> <string name="menu_showDataAsGraph">Show graph</string> <string name="menu_showDataAsGraph_tt">Show the data as a Graph.</string> <string name="menu_showDataAsTable">Show table</string> <string name="menu_showDataAsTable_tt">Shows values as a table.</string> <string name="menu_addPowerSupply">Add power supply</string> <string name="menu_addPowerSupply_tt">Adds a power supply to the circuit.</string> <string name="menu_exportVHDL">Export to VHDL</string> <string name="menu_exportVHDL_tt">Exports the circuit to VHDL</string> <string name="menu_exportVerilog">Export to Verilog</string> <string name="menu_exportVerilog_tt">Exports the circuit to Verilog</string> <string name="menu_karnaughMap_tt">Shows a K-map representation of the table!</string> <string name="menu_pdfDocumentation">Documentation</string> <string name="menu_openPdfDocumentation">Open {0}</string> <string name="menu_showDataTable">Show measurement value table</string> <string name="menu_showDataTable_tt">Show table with the measured values in a separate window.</string> <string name="menu_showDataGraph">Show measurement graph</string> <string name="menu_showDataGraph_tt">Shows a graph with the measured values in a separate window.</string> <string name="menu_exportZIP">Export to ZIP file</string> <string name="menu_exportZIP_tt">Exports the circuit as a ZIP file. The ZIP file thus contains all the files that are necessary for the operation of the circuit.</string> <string name="menu_labelPins">Label Inputs and Outputs</string> <string name="menu_labelPins_tt">Set a label to all inputs and outputs without a label.</string> <string name="menu_tutorial">Start Tutorial</string> <string name="menu_tutorial_tt">Starts the beginner tutorial.</string> <string name="menu_stats">Circuit Statistics</string> <string name="menu_stats_tt">Shows a list of used components.</string> <string name="stat_number">Number</string> <string name="stat_part">Component</string> <string name="stat_inputs">Inputs</string> <string name="stat_bits">Bits</string> <string name="stat_addrBits">Addr. Bits</string> <string name="msg_errorOpeningDocumentation">Error opening a PDF file!</string> <string name="message">&lt;h1&gt;Digital&lt;/h1&gt; &lt;p&gt;A simple simulator for digital circuits.&lt;/p&gt; &lt;p&gt;Written by H. Neemann in 2016-2023.&lt;/p&gt; &lt;p&gt;The icons are taken from the &lt;a href="path_to_url"&gt;Tango Desktop Project&lt;/a&gt;.&lt;/p&gt; &lt;p&gt;Visit the project at &lt;a href="path_to_url"&gt;GitHub&lt;/a&gt;. At GitHub you can also &lt;a href="path_to_url"&gt;download&lt;/a&gt; the latest release.&lt;/p&gt; &lt;p&gt;There you also can file an &lt;a href="path_to_url"&gt;issue&lt;/a&gt; or suggest an &lt;a href="path_to_url"&gt;enhancement&lt;/a&gt;.&lt;/p&gt;</string> <string name="msg_N_nodes">{0} nodes</string> <string name="msg_analyseErr">Error analysing the circuit</string> <string name="msg_color">Color</string> <string name="msg_errorCalculatingStep">Error calculating a step</string> <string name="msg_errorCreatingModel">Error creating the circuit</string> <string name="msg_errorDuringCalculation">Error during simplification</string> <string name="msg_errorDuringHardwareExport">Error during creation of hardware configuration.</string> <string name="msg_errorEditingValue">Error editing a attribute value</string> <string name="msg_errorImportingModel_N0">Error importing the circuit {0}!</string> <string name="msg_errorUpdatingLibrary">Error updating the component library!!</string> <string name="msg_errorReadingFile">Error reading a file</string> <string name="msg_remoteUnknownCommand">Command {0} unknown!</string> <string name="msg_errorWritingFile">Error writing a file</string> <string name="msg_frequency_N">The maximum frequency is {0} kHz</string> <string name="msg_missingShape_N">Shape {0} is missing</string> <string name="msg_pins">Pin assignment</string> <string name="msg_restartNeeded">A restart is required for the changes to take effect!</string> <string name="msg_enterAnExpression">Enter an expression:</string> <string name="msg_runningTestError">Error running the tests:</string> <string name="msg_testResult">Test result</string> <string name="msg_test_N_Passed">{0} passed</string> <string name="msg_test_N_Failed">{0} failed</string> <string name="msg_test_missingLines">(Too many entries!)</string> <string name="msg_test_missingLines_tt">All test cases are executed, but not all results are shown. The evaluation of the test result is nevertheless correct!</string> <string name="msg_testExp_N0_found_N1">E: {0} / F: {1}</string> <string name="msg_creatingHelp">Error creating the help!</string> <string name="msg_clipboardContainsNoImportableData">The clipboard contains no importable data!</string> <string name="msg_selectAnEmptyFolder">Select an empty folder!</string> <string name="msg_fitterResult">Message from the external fitter</string> <string name="msg_startExternalFitter">Execution of external fitter</string> <string name="msg_actualCircuit">Current Circuit</string> <string name="msg_fileNotAccessible">The selected file name is not importable from the current project!</string> <string name="msg_fileIsNotUnique">The file name is not unique! All files in the working directory and all subdirectories must have unique file names. This also applies to the library folder. If your work directory has a 7400.dig file, you cannot use this file or the 7400.dig file from the library, because this file name can no longer be uniquely assigned.</string> <string name="msg_duplicateLibraryFiles">There are several files with identical file names, which can not be uniquely assigned! Affected are:</string> <string name="msg_and_N_More">and {0} more.</string> <string name="msg_fileNotImportedYet">The file has not yet been imported.</string> <string name="msg_fileExists">The file {0} already exists! Do you want to overwrite the file?</string> <string name="msg_isLocked">The editing of the circuit is disabled. You can remove the lock at "{0} -&gt; {1} -&gt; {2}". However, copying of components and the configuration of diodes and FGFETs with the [P] key is also possible in the locked mode.</string> <string name="msg_speedTestError">Error during speed test!</string> <string name="msg_numberingWizard">Numbering Wizard</string> <string name="msg_pin_numbering_N">Select pin {0}:</string> <string name="msg_framesWritten_N">Written frames: {0}</string> <string name="msg_errorWritingGif">Error writing to GIF file!</string> <string name="btn_gifComplete">Ready</string> <string name="btn_gifComplete_tt">The GIF file is finalized and closed.</string> <string name="msg_gifExport">GIF Export</string> <string name="msg_errCausedBy">caused by</string> <string name="msg_inputsToInvert">Inputs to invert</string> <string name="msg_none">none</string> <string name="msg_errGettingPinNames">Could not determine the names of the pins.</string> <string name="msg_errInFile_N">Occurred in file {0}.</string> <string name="msg_affectedComponentsAre_N">Affected are: {0}.</string> <string name="msg_signal_N">Signal {0}</string> <string name="msg_thereAreMissingPinNumbers">No pin numbers assigned to the pins {0}! Free pins are automatically assigned. The circuit can therefore not be used on real hardware in most cases!</string> <string name="msg_modelHasErrors">You can only export a circuit without errors!</string> <string name="msg_noKVMapAvailable">No KV map available!</string> <string name="msg_dataNotUpdatedAnymore">Data will not be updated anymore!</string> <string name="msg_modifyThisAttribute">Modify this Value</string> <string name="msg_invalidEditorValue">One of the fields contains a invalid value!</string> <string name="msg_create CHNFile">Creation of CHN file.</string> <string name="msg_tableHasManyRowsConfirm">The table is very large, the export may take a while. Start export anyway?</string> <string name="msg_circuitIsRequired">To create a hardware description, a circuit must first be created and analyzed. A standalone truth table can not be used to generate a hardware description.</string> <string name="msg_noData">no data</string> <string name="msg_errorClosingExternalProcess">Could not close external process!</string> <string name="msg_checkResult">Check Result:</string> <string name="btn_checkCode">Check</string> <string name="btn_checkCode_tt">Starts the application to check if the entered code is correct. If this is not the case, the error message of the external application is displayed. If possible, the input and output definitions are also adapted to the current code.</string> <string name="msg_codeNotConsistent">Input and output definitions could not be created automatically. Please check the settings!</string> <string name="msg_applicationFileNotFound">Executable file "{0}" not found!</string> <string name="msg_enterText">Enter Text!</string> <string name="btn_startATMISP">Start ATMISP</string> <string name="btn_startATMISP_tt">Starts the external program ATMISP. This must have been previously installed.</string> <string name="msg_errorStartingATMISP">Error while starting ATMISP! Is the correct path to the executable ATMISP.exe specified in the settings?</string> <string name="msg_ATMISPIsStillRunning">ATMISP is still running! When this dialog is closed, ATMISP is terminated! Make sure the flash process is complete before closing this dialog!</string> <string name="menu_runAllTests">Run all Tests</string> <string name="menu_runAllTests_tt">Executes all tests in the current folder.</string> <string name="msg_testPassed_N">{0} test rows passed</string> <string name="msg_testFile">File Tested</string> <string name="msg_truthTable">Truth Table</string> <string name="msg_truthTableCSV">Comma Separated Values, CSV</string> <string name="msg_errorImportingSvg">Error while importing the SVG file.</string> <string name="msg_errorCreatingSvgTemplate">Error creating the SVG template.</string> <string name="msg_couldNotCreateStats">Statistics could not be created.</string> <string name="menu_createBehavioralFixture">Create Behavior Fixing Test Case</string> <string name="menu_createBehavioralFixture_tt">Creates a behavioral fixture from the circuit. A behavioral fixture is a test case that fixes the current behavior.</string> <string name="msg_fixesCreated_N">Fixtures: {0}</string> <string name="btn_createTestLine">Create Fixture</string> <string name="btn_createTestLine_tt">Creates a new fixture in the test case.</string> <string name="btn_BehavioralFixtureComplete">Complete</string> <string name="btn_BehavioralFixtureComplete_tt">Creates the test case component</string> <string name="msg_errorCreatingTestCase">Error in the creation of the test case.</string> <string name="msg_errorReadingToolchainConfig_N">Error while reading the toolchain configuration {0}</string> <string name="msg_commandStarted_N">Command "{0}" has been started! Processing may take some time!</string> <string name="msg_commandEnded_N">The command "{0}" has been completed!</string> <string name="msg_renameNet">Rename Net</string> <string name="msg_renameNet_N_OLD_NEW">There are {0} more tunnels with the net name ''{1}''. Do you want to rename all {0} to ''{2}''?</string> <string name="msg_dataWillBeLost_n">Do you really want to discard the changes in the "{0}" field?</string> <string name="btn_copyToClipboard_tt">Copies the text to the clipboard.</string> <string name="msg_supportsHDL">Exportable to VHDL/Verilog.</string> <string name="msg_errorSettingModelToTestCase">Error while setting the test case row.</string> <string name="stat_clocks">Break after {0} half cycles at break point ''{1}''.</string> <string name="tt_deleteItem">Deletes the selected item</string> <string name="tt_moveItemDown">Move the item down</string> <string name="tt_moveItemUp">Move the item up</string> <string name="win_allSolutions">All possible solutions</string> <string name="win_testdata_N">Test data {0}</string> <string name="win_data">Data</string> <string name="win_confirmExit">Confirm Exit!</string> <string name="win_measures">Measurements</string> <string name="win_measures_fullstep">Measurements full clock step</string> <string name="win_measures_microstep">Measurements single gate step</string> <string name="win_saveChanges">Save Changes?</string> <string name="win_stateChanged">State Changed!</string> <string name="win_table">Table</string> <string name="win_table_exportDialog">Export</string> <string name="win_itempicker_title">Select</string> <string name="win_valueInputTitle_N">Input {0}</string> <string name="win_karnaughMap">Karnaugh Map</string> <string name="win_romDialog">Included ROMs</string> <string name="btn_help">Help</string> <string name="msg_keyAsGenericAttribute">Name to use in generic circuits: {0}</string> <string name="attr_createConcreteCircuitLabel">Create Concrete Circuit</string> <string name="attr_createConcreteCircuit">Create</string> <string name="attr_createConcreteCircuit_tt">Creates a concrete circuit from this generic circuit using the parameters specified in this element.</string> <string name="attr_createConcreteCircuitErr">Error while creating the concrete circuit!</string> <string name="win_romDialogHelpTitle">Central ROM Content</string> <string name="msg_romDialogHelp">&lt;html&gt; &lt;h3&gt;Motivation&lt;/h3&gt; When a circuit containing a ROM component is embedded multiple times, the contents of the ROM is normally used for each instance of that circuit. Under certain circumstances, however, it may be desirable for such a circuit to be embedded multiple times, but different ROM contents are used for each instance.&lt;br/&gt; This problem occurs e.g. if a 74xx ROM is used multiple times but with different memory contents.&lt;br/&gt; &lt;h3&gt;Function&lt;/h3&gt; At this location, therefore, contents can be defined for all ROMs in the circuit. When the simulation model is generated, every ROM is initialized with the contents stored directly in the respective ROM. Then it is checked whether an alternative content is defined here. If this is the case, the content defined here is loaded into the corresponding ROM. &lt;h3&gt;Usage&lt;/h3&gt; It should be noted that each ROM requires a unique name used to identify the ROM. To do this, use the asterisk ('*') in the label of the ROM. The asterisk is then replaced by the complete path constructed from the names of the embedded circuits. If a circuit contains only one ROM component, it is sufficient to use only the asterisk as a label for it. All embedded circuits must be named so that a unique name can be formed for each ROM component. &lt;/html&gt;</string> <string name="msg_newRelease_N">&lt;html&gt; &lt;h1&gt;New Version {0} Available&lt;/h1&gt; &lt;p&gt;There is a new release of the simulator available.&lt;/p&gt; &lt;p&gt;In the &lt;a href="path_to_url"&gt;release notes&lt;/a&gt; you can find the changes and improvements.&lt;/p&gt; &lt;p&gt;Here you can &lt;a href="path_to_url"&gt;download&lt;/a&gt; the new release.&lt;/p&gt; &lt;/html&gt;</string> <string name="msg_expressionHelpTitle">Expressions</string> <string name="msg_expressionHelp">&lt;p&gt;To define an expression you can use all most common notations:&lt;/p&gt; &lt;p&gt; And: "&amp;", "&amp;&amp;", "*", ""&lt;br/&gt; Or: "|", "||", "+", "", "#"&lt;br/&gt; XOr: "^", ""&lt;br/&gt; Not: "!", "~", "" &lt;/p&gt; &lt;p&gt;As usual AND precedes OR and XOr.&lt;/p&gt; &lt;p&gt;Multiple expressions can be separated by "," or ";". If you want to name the expressions you can use the let command: "let U=A+B, let V=A*B".&lt;/p&gt;</string> <string name="msg_testVectorHelpTitle">Test vectors</string> <string name="msg_testVectorHelp">&lt;html&gt; &lt;head&gt;&lt;style&gt;pre { background-color: #E0E0E0;}&lt;/style&gt;&lt;/head&gt; &lt;body&gt; &lt;h3&gt;General&lt;/h3&gt; &lt;p&gt;The first line has to contain the names of inputs and outputs. The following lines contain the expected values. A 'X' represents a don't care, and a 'Z' represents a high Z value. If a 'C' is used, at first all other values are set, after that a clock cycle is performed and then the values are compared. So it's easier to test sequential logic. A line which starts with a number sign ('#') is a comment.&lt;/p&gt; &lt;p&gt;So a test for a 2-bit counter could look like this:&lt;/p&gt; &lt;pre&gt; C Q1 Q0 0 0 0 C 0 1 C 1 0 C 1 1 C 0 0 &lt;/pre&gt; &lt;p&gt;The tests are executed by Run-&gt;Run Tests.&lt;/p&gt; &lt;p&gt; To make it easier to create a lot of test vectors there is the 'repeat([n])' statement: If a line begins with 'repeat([n])', [n] test lines are generated. The variable 'n' can be used to generate the test data. With 'repeat(16)', 16 lines are created, where n goes from 0 to 15. If there are multiple bit inputs, and these are to be set together to a binary value, this can be done with the 'bits([bits], [value])' statement. This is used to create [bits] bits of the value [value].&lt;/p&gt; &lt;p&gt;The following is an example that tests a 4-bit adder:&lt;/p&gt; &lt;pre&gt; C_i-1 A_3 A_2 A_1 A_0 B_3 B_2 B_1 B_0 C_i S_3 S_2 S_1 S_0 repeat(256) 0 bits(4,n&gt;&gt;4) bits(4,n) bits(5,(n&gt;&gt;4)+(n&amp;15)) repeat(256) 1 bits(4,n&gt;&gt;4) bits(4,n) bits(5,(n&gt;&gt;4)+(n&amp;15)+1) &lt;/pre&gt; &lt;p&gt;The input signals are the carry-in (C_i-1) and the eight input bits A_3-A_0 and B_3-B_0. The 4 input bits are generated with the 'bits' instruction. The result (C_i, S_3-S_0) is also generated by a 'bits' instruction. This happens once with C_i-1 = 0 and in the next line with C_i-1 = 1. In this way, 512 test rows are generated which cover all possible input configurations.&lt;/p&gt; &lt;p&gt;If multiple rows are to be repeated, or if nested loops are required, the loop statement can be used. The above example could also be implemented as follows:&lt;/p&gt; &lt;pre&gt; C_i-1 A_3 A_2 A_1 A_0 B_3 B_2 B_1 B_0 C_i S_3 S_2 S_1 S_0 loop(a,16) loop(b,16) 0 bits(4,a) bits(4,b) bits(5,a+b) 1 bits(4,a) bits(4,b) bits(5,a+b+1) end loop end loop &lt;/pre&gt; &lt;p&gt;Under certain circumstances it may be necessary to be able to react to the initial state of the circuit. Therefore the signals provided in the circuit can be used within the test case. For example, if a counter that starts in an undefined state is to be tested, it can be clocked to a defined state:&lt;/p&gt; &lt;pre&gt;C Q_3 Q_2 Q_1 Q_0 # clock counter to 1111 while(!(Q_3 &amp; Q_2 &amp; Q_1 &amp; Q_0)) C x x x x end while # start the test execution repeat(16) C bits(4,n) &lt;/pre&gt; &lt;p&gt;It may be helpful to generate random numbers in test cases. These can be created with the function 'random([n])'. The generated number is greater than or equal to zero and less than [n]. Considering a 16-bit multiplier as an example, a full test can not be performed since it would have 2^32 input combinations. A regression test that multiplies 100000 random numbers might look like this:&lt;/p&gt; &lt;pre&gt; A B Y loop(i,100000) let a = random(1&amp;lt;&amp;lt;16); let b = random(1&amp;lt;&amp;lt;16); (a) (b) (a*b) end loop &lt;/pre&gt; &lt;p&gt;An input that allows high impedance as a value can also be used as a test output. In this case, the signal name can be used with a trailing "_out" to read back and check the current value. For this, the corresponding input must be set to high impedance ('Z').&lt;/p&gt; &lt;pre&gt;OE CLK D D_out 0 0 0 0 0 C 1 1 1 0 z 1 0 C 0 0 1 0 z 0 &lt;/pre&gt; &lt;p&gt;The circuit for this test has only one input 'D', but which can be high impedance state. Therefore, the signal 'D_out' is also available to check the value in this case.&lt;/p&gt; &lt;p&gt;In special cases, it may be desirable to use the signals, which are provided by the circuit, to derive a new signal, which is then tested. An example could be a bus signal with several bits, where only a single bit should be tested, whereby the remaining bits have no influence on the test. In this case, a new signal can be generated in the test itself, which contains this one bit so that tests can be defined for this bit.&lt;/p&gt; &lt;p&gt;This is done with the 'declare' statement:&lt;/p&gt; &lt;pre&gt;A B Bit declare Bit = (Bus&gt;&gt;3)&amp;1; 0 0 0 0 1 0 1 0 1 1 1 0 &lt;/pre&gt; &lt;p&gt;In this example, the 3rd bit is isolated from the 'Bus' signal and made available as the 'Bit' signal for the test. The circuit itself contains no output 'Bit'.&lt;/p&gt; &lt;h3&gt;Functions&lt;/h3&gt; &lt;p&gt;Available functions are: &lt;dl&gt; &lt;dt&gt;signExt([bits],[value])&lt;/dt&gt; &lt;dd&gt;Extends the value [value] while preserving the sign to [bits] bits.&lt;/dd&gt; &lt;dt&gt;random([max])&lt;/dt&gt; &lt;dd&gt;Returns an integer random number. The maximum value is specified with [max].&lt;/dd&gt; &lt;dt&gt;ite([cond],[then],[else])&lt;/dt&gt; &lt;dd&gt;If the condition [cond] is true, the value [then] is returned, otherwise the value [else].&lt;/dd&gt; &lt;/dl&gt; &lt;/p&gt; &lt;h3&gt;Processors&lt;/h3&gt; &lt;p&gt;If processors are to be tested, an initialization of the processor is usually required. It is possible to perform this initialization within the test case. In this way, several tests can be located in one circuit and each test can use its own initialization. There are three instructions to perform this initialization:&lt;/p&gt; &lt;ul&gt; &lt;li&gt;The 'program' statement can be used to overwrite the program memory of the processor. The instruction &lt;pre&gt;program(0x8000,0x2d11,0x8000,0x2f21)&lt;/pre&gt; writes four words to the beginning of the program memory. All other words are set to zero.&lt;/li&gt;. &lt;li&gt;The 'memory' instruction can be used to write to a RAM component: &lt;pre&gt;memory mem(3)=7;&lt;/pre&gt; This example writes 7 to the memory with the label 'mem' at address 3.&lt;/li&gt; &lt;li&gt; A labeled register can be overwritten with the 'init' statement. &lt;pre&gt;init R0=22;&lt;/pre&gt; This instruction overwrites the register with the label 'R0' with the value 22.&lt;/li&gt; &lt;/ul&gt; &lt;p&gt;It should be noted that all used initializations are only applied once before the test execution. It does not matter in which line in the test case these statements are located. However, they must not be used above the header line listing the signal names.&lt;/p&gt;. &lt;/body&gt;&lt;/html&gt;</string> <string name="fsm_title">Finite State Machine</string> <string name="fsm_noMove">No movement</string> <string name="fsm_moveTrans">Transitions</string> <string name="fsm_moveStates">Transitions+States</string> <string name="fsm_set_N">set {0}</string> <string name="menu_fsm">Finite State Machine</string> <string name="menu_fsm_tt">Opens a Dialog to Edit a Finite State Machine.</string> <string name="menu_fsm_create">Create</string> <string name="menu_fsm_create_table">State Transition Table</string> <string name="menu_fsm_create_counter">Create Counter</string> <string name="menu_fsm_create_counter_N">{0} States</string> <string name="menu_fsm_Help_tt">Help for operating the FSM editor.</string> <string name="key_stateNum">State Number</string> <string name="key_stateNum_tt">The number which represents this state.</string> <string name="key_isInitialState">Initial State</string> <string name="key_isInitialState_tt">If set, this state is the initial state.</string> <string name="key_stateValues">Outputs</string> <string name="key_stateValues_tt">Defines the output values. With simple assignments like "A=1, B=0" outputs can be set. With instructions like "A=101", multi-bit outputs can be set. Outputs that are not defined here are set to zero in states. For transitions, unspecified outputs remain unchanged.</string> <string name="key_transCond">Condition</string> <string name="key_transCond_tt">A boolean expression.</string> <string name="key_transRad">Radius</string> <string name="key_transRad_tt">Radius of the circle in the diagram.</string> <string name="err_notDeterministic_N">The FSM is not deterministic: {0}</string> <string name="err_fsmNumberUsedTwice_N">State Number {0} used twice.</string> <string name="err_fsmNoInitialState">There is no initial state (state number zero).</string> <string name="err_fsmState_N_notFound">State ''{0}'' not found!</string> <string name="err_fsmInvalidOutputAssignment_N">Wrong assignment to output (''{0}'')!</string> <string name="err_fsmErrorInCondition_N">Error in condition ''{0}''!</string> <string name="msg_fsm_errorLoadingFile">Error loading a file!</string> <string name="msg_fsm_errorStoringFile">Error storing a file!</string> <string name="msg_fsmTransition">Transition</string> <string name="msg_fsmState">State</string> <string name="msg_fsmNewState">New State</string> <string name="msg_fsmCantCreateTable">Can not create state transition table.</string> <string name="msg_fsmHelpTitle">Help FSM Editor</string> <string name="msg_fsm_optimizer">FSM-Optimizer</string> <string name="menu_fsm_optimize_state_numbers">Optimize the State Numbers</string> <string name="menu_fsm_optimize_state_numbers_tt">Optimizes the state numbers so that an implementation has the least possible effort. The runtime increases very quickly with the complexity of the machine. (O(n!))</string> <string name="menu_fsm_optimize_state_numbers_err">Error during optimization!</string> <string name="msg_fsm_optimizer_initial">Initial complexity:</string> <string name="msg_fsm_optimizer_best">Best so far:</string> <string name="msg_fsmHelp">&lt;html&gt;&lt;head&gt;&lt;/head&gt; &lt;body&gt; &lt;h3&gt;Mouse Operation&lt;/h3&gt; &lt;dl&gt; &lt;dt&gt;Create a state:&lt;/dt&gt; &lt;dd&gt;Right mouse click on a free area.&lt;/dd&gt; &lt;dt&gt;Creating a transition:&lt;/dt&gt; &lt;dd&gt;Right mouse button down on the start state and dragging to the destination state.&lt;/dd&gt; &lt;dt&gt;Delete a state or a transition:&lt;/dt&gt; &lt;dd&gt;Move the mouse over the object and press the [Del] button.&lt;/dd&gt; &lt;dt&gt;Moving a state or transition:&lt;/dt&gt; &lt;dd&gt;Left mouse button down and dragging.&lt;/dd&gt; &lt;dt&gt;Editing a state or a transition:&lt;/dt&gt; &lt;dd&gt;Right mouse click on the state or the transition.&lt;/dd&gt; &lt;/dl&gt; &lt;h3&gt;Layout Help Function&lt;/h3&gt; &lt;dl&gt; &lt;dt&gt;No movement:&lt;/dt&gt; &lt;dd&gt;The layout help function is disabled.&lt;/dd&gt; &lt;dt&gt;Transitions:&lt;/dt&gt; &lt;dd&gt;The layout help function moves the transition arrows to avoid overlaps.&lt;/dd&gt; &lt;dt&gt;Transitions+States&lt;/dt&gt; &lt;dd&gt;The layout help function moves both states and transitions to help create a well-balanced layout.&lt;/dd&gt; &lt;/dl&gt; &lt;h3&gt;Interpretation of Transitions&lt;/h3&gt; To simplify the generation of a deterministic automata, unconditional transitions are treated in a special way: an unconditional transition is only executed if no other transition satisfies the transition condition. So there can be an unconditional transition and conditional transitions that start in the same state. An unconditional transition thus determines to which state the state machine is shifted if no other transition condition is met. If there is no unconditional transition from a state, the state machine will stay in this state if no other transition condition is met. &lt;/body&gt;&lt;/html&gt;</string> <string name="msg_graphHelpTitle">The measurement graph</string> <string name="msg_graphHelp">&lt;html&gt;&lt;body&gt; &lt;h3&gt;What can be seen in the graph?&lt;/h3&gt; Unlike a real logic analyzer, the X-axis of the measurement graph does not show the time. Instead a counter is displayed which counts the changes of state in the circuit. Whenever there is a change in the circuit, the counter is incremented and the new state is displayed.&lt;br/&gt; You can also think of it as a classic logic analyzer, which does not save any data for optimization if nothing has changed in the circuit. However, this also means that it is not possible to read from the graph whether a lot or little time has passed between two changes in the circuit.&lt;br/&gt; This behavior is caused by the nature of the simulation: The simulation of the circuit does not know the concept of time. A change is made to the circuit, and the change in the circuit state is calculated, until the circuit has stabilized again. Then the next change is made, the effect of which is also is calculated and so on. These changes are counted and the counter value is displayed on the X-axis of the graph.&lt;br/&gt; Among other things, this also means that a circuit cannot be overclocked, since the effects of the falling edge of the clock are not calculated until the circuit has stabilized after the previous rising edge. &lt;/body&gt;&lt;/html&gt;</string> <string name="tutorial1">In the following a short tutorial leads you to the first, simple circuit: First, insert an input into the circuit. You will find the input in the menu ComponentsIO.</string> <string name="tutorial2">Now add a second input to the circuit. You can also click on the input in the toolbar. It is best to place the second input slightly below the first input. You can move the circuit by holding down the right mouse button. By clicking on components you can move them.</string> <string name="tutorial3">Next, an "Exclusive Or" gate is to be inserted. You can find this gate in the menu ComponentsLogic. Place this component with some distance to the right of the inputs.</string> <string name="tutorial4">The last component to be inserted is an output. Place it with some distance to the right of the "Exclusive Or" gate.</string> <string name="tutorial5">In order to complete the circuit, connecting wires must be drawn. Click on the red dot at the first input and connect it to an input of the "Exclusive Or" gate, by clicking on a blue dot of the "Exclusive Or" gate afterwards. Do NOT drag with mouse button down!</string> <string name="tutorial6">Connect the red dot of the second input to the second blue dot of the "Exclusive Or" gate and the red dot of the "Exclusive Or" gate to the blue dot of the output. While drawing, you can pin the wire by clicking somewhere on the canvas. Right-click cancels the drawing of the wire (control-click on macOS).</string> <string name="tutorial7">Your first circuit is now functional. To start the simulation, you can click on the Play button in the toolbar. If you move the mouse over the toolbar, tool tips are shown.</string> <string name="tutorial8">The simulation is now active. Switch the inputs by clicking on them.</string> <string name="tutorial9">To stop the simulation, click on the Stop button in the toolbar.</string> <string name="tutorial10">For completeness, the inputs and outputs should be labeled. Right-click on an input to open a dialog. On macOS control-click is used. Here the input can be given a name.</string> <string name="tutorial11">Label all inputs and outputs.</string> <string name="tutorialUniqueIdents">Inputs and outputs should always be uniquely named.</string> <string name="tutorialNotNeeded">Skip Tutorial</string> <string name="elem_LookUpTable_short">LUT</string> <string name="elem_Splitter">Splitter/Merger</string> <string name="elem_RS_FF_AS">RS-Flip-flop</string> <string name="elem_JK_FF">JK-Flip-flop</string> <string name="elem_D_FF">D-Flip-flop</string> <string name="elem_T_FF">T-Flip-Flop</string> <string name="elem_GraphicCard_short">Gr-RAM</string> <string name="err_noRomFound">No program memory found! The program memory needs to be flagged as such.</string> <string name="err_multipleRomsFound">Multiple program memories found! Only one program memory is allowed.</string> <string name="key_Bits_tt">Number of data bits used.</string> <string name="key_OutputSplitting">Output splitting</string> <string name="key_splitterSpreading">Spreading</string> <string name="key_skipHDL">Skip in Verilog/VHDL export</string> <string name="key_skipHDL_tt">Skips generating the internals of the circuit in Verilog/VHDL export. The references to the circuit are kept, making it possible to override the implementation.</string> <string name="menu_colorSchemePreset">Preset</string> <string name="colorName_TESTCASE">Test case</string> <string name="menu_karnaughMap">K-Map</string> <string name="btn_copyToClipboard">Clipboard</string> <string name="key_defaultsDC">Set undefined values to DC</string> <string name="key_defaultsDC_tt">Sets all undefined values (following state and outputs) to "Don't Care".</string> <string name="btn_openInBrowser">Browser</string> <string name="btn_saveTemplate">Template</string> <string name="elem_BitExtender_short">SignEx</string> <string name="elem_BitCount_short">Bit count</string> <string name="elem_TransGate">Transmission-Gate</string> <string name="key_persistTime">Persistence Of Vision</string> <string name="key_persistTime_tt">Specifies the duration of the afterglow. The larger the value, the longer the afterglow duration.</string> <string name="key_oscillationDetectionCounter">Oscillation detection</string> <string name="key_oscillationDetectionCounter_tt">Number of gate propagation times at which a oscillation is detected if the circuit has not stabilized by then.</string> <string name="key_openRemotePort">Allow remote connection</string> <string name="key_openRemotePort_tt">If set, a TCP/IP port is opened, through which the control of the simulator is possible.</string> <string name="key_remotePort">Port number</string> <string name="key_remotePort_tt">The port on which the remote server is opened.</string> <string name="msg_bigEndian">Big-Endian</string> <string name="key_bigEndian">Use big endian at import.</string> <string name="key_bigEndian_tt">Use big endian byte order at import.</string> <string name="menu_table_createCircuitMore">Circuit Variants</string> <string name="menu_table_maxInputs_N">Use gates with at most {0} inputs</string> <string name="menu_presentationMode">Presentation Mode</string> <string name="menu_presentationMode_tt">A simplified view that, for example, omits the test cases, which can be useful for presentations.</string> <string name="menu_find">Find</string> <string name="menu_find_tt">Finds labels, net names and pin numbers.</string> <string name="menu_calcMaxPathLen">Maximum Path Length</string> <string name="menu_calcMaxPathLen_tt">The maximum path length is the longest path between one of the inputs and one of the outputs.</string> <string name="msg_maxPathLen">The longest path consists of {0} gates.</string> <string name="msg_couldNotCalculateMaxPathLen">The path length could not be calculated.</string> <string name="key_source">Data Source</string> <string name="key_source_noData">load no data at all</string> <string name="key_source_dataField">stored data</string> <string name="err_could_not_load_rom">Could not load ROM data!</string> </resources> ```
/content/code_sandbox/src/main/resources/lang/lang_it_ref.xml
xml
2016-06-28T17:40:16
2024-08-16T14:57:06
Digital
hneemann/Digital
4,216
41,621
```xml import type { InternalGlobal } from '@sentry/utils'; import { GLOBAL_OBJ } from '@sentry/utils'; import type { ErrorUtils } from 'react-native/types'; import type { ExpoGlobalObject } from './expoglobalobject'; /** Internal Global object interface with common and Sentry specific properties */ export interface ReactNativeInternalGlobal extends InternalGlobal { __sentry_rn_v4_registered?: boolean; __sentry_rn_v5_registered?: boolean; HermesInternal?: { getRuntimeProperties?: () => Record<string, string | undefined>; }; Promise: unknown; __turboModuleProxy: unknown; nativeFabricUIManager: unknown; ErrorUtils?: ErrorUtils; expo?: ExpoGlobalObject; XMLHttpRequest?: typeof XMLHttpRequest; process?: { env?: { ___SENTRY_METRO_DEV_SERVER___?: string; }; }; __BUNDLE_START_TIME__?: number; nativePerformanceNow?: () => number; TextEncoder?: TextEncoder; } type TextEncoder = { new (): TextEncoder; encode(input?: string): Uint8Array; }; /** Get's the global object for the current JavaScript runtime */ export const RN_GLOBAL_OBJ = GLOBAL_OBJ as ReactNativeInternalGlobal; ```
/content/code_sandbox/src/js/utils/worldwide.ts
xml
2016-11-30T14:45:57
2024-08-16T13:21:38
sentry-react-native
getsentry/sentry-react-native
1,558
258
```xml import { useQuery } from "graphql-hooks"; const getRepo = /* GraphQL */ ` query { launchLatest { mission_name } } `; export function RepoList() { const { loading, error, data } = useQuery(getRepo); if (loading) return <p>Loading...</p>; if (error) return <p>Error: {JSON.stringify(error)}</p>; return <div>{data.launchLatest.mission_name}</div>; } ```
/content/code_sandbox/examples/with-graphql-hooks/src/client-components/repo-list.tsx
xml
2016-10-05T23:32:51
2024-08-16T19:44:30
next.js
vercel/next.js
124,056
100
```xml import { forEach, result } from 'underscore'; import { PageManagerConfig } from '../types'; import Frames from '../../canvas/model/Frames'; import { Model } from '../../common'; import ComponentWrapper from '../../dom_components/model/ComponentWrapper'; import EditorModel from '../../editor/model/Editor'; import { CssRuleJSON } from '../../css_composer/model/CssRule'; import { ComponentDefinition } from '../../dom_components/model/types'; /** @private */ export interface PageProperties { /** * Panel id. */ id?: string; /** * Page name. */ name?: string; /** * HTML to load as page content. */ component?: string | ComponentDefinition | ComponentDefinition[]; /** * CSS to load with the page. */ styles?: string | CssRuleJSON[]; [key: string]: unknown; } export interface PagePropertiesDefined extends Pick<PageProperties, 'id' | 'name'> { frames: Frames; [key: string]: unknown; } export default class Page extends Model<PagePropertiesDefined> { defaults() { return { name: '', frames: [] as unknown as Frames, _undo: true, }; } em: EditorModel; constructor(props: any, opts: { em?: EditorModel; config?: PageManagerConfig } = {}) { super(props, opts); const { em } = opts; const defFrame: any = {}; this.em = em!; if (!props.frames) { defFrame.component = props.component; defFrame.styles = props.styles; ['component', 'styles'].map((i) => this.unset(i)); } const frms: any[] = props.frames || [defFrame]; const frames = new Frames(em!.Canvas, frms); frames.page = this; this.set('frames', frames); !this.getId() && this.set('id', em?.Pages._createId()); em?.UndoManager.add(frames); } onRemove() { this.getFrames().reset(); } getFrames() { return this.get('frames')!; } /** * Get page id * @returns {String} */ getId() { return this.id as string; } /** * Get page name * @returns {String} */ getName() { return this.get('name')!; } /** * Update page name * @param {String} name New page name * @example * page.setName('New name'); */ setName(name: string) { return this.set({ name }); } /** * Get all frames * @returns {Array<Frame>} * @example * const arrayOfFrames = page.getAllFrames(); */ getAllFrames() { return this.getFrames().models || []; } /** * Get the first frame of the page (identified always as the main one) * @returns {Frame} * @example * const mainFrame = page.getMainFrame(); */ getMainFrame() { return this.getFrames().at(0); } /** * Get the root component (usually is the `wrapper` component) from the main frame * @returns {Component} * @example * const rootComponent = page.getMainComponent(); * console.log(rootComponent.toHTML()); */ getMainComponent(): ComponentWrapper { const frame = this.getMainFrame(); return frame?.getComponent(); } toJSON(opts = {}) { const obj = Model.prototype.toJSON.call(this, opts); const defaults = result(this, 'defaults'); // Remove private keys forEach(obj, (value, key) => { key.indexOf('_') === 0 && delete obj[key]; }); forEach(defaults, (value, key) => { if (obj[key] === value) delete obj[key]; }); return obj; } } ```
/content/code_sandbox/src/pages/model/Page.ts
xml
2016-01-22T00:23:19
2024-08-16T11:20:59
grapesjs
GrapesJS/grapesjs
21,687
850
```xml /* * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ // TypeScript Version: 4.1 /** * Returns the standard deviation of a negative binomial distribution. * * ## Notes * * - If provided a `r` which is not a positive number, the function returns `NaN`. * - If `p < 0` or `p > 1`, the function returns `NaN`. * * @param r - number of failures until experiment is stopped * @param p - success probability * @returns standard deviation * * @example * var v = stdev( 100, 0.2 ); * // returns ~44.721 * * @example * var v = stdev( 20, 0.5 ); * // returns ~6.325 * * @example * var v = stdev( 10.3, 0.8 ); * // returns ~1.794 * * @example * var v = stdev( -2, 0.5 ); * // returns NaN * * @example * var v = stdev( 20, 1.1 ); * // returns NaN * * @example * var v = stdev( 20, NaN ); * // returns NaN * * @example * var v = stdev( NaN, 0.5 ); * // returns NaN */ declare function stdev( r: number, p: number ): number; // EXPORTS // export = stdev; ```
/content/code_sandbox/lib/node_modules/@stdlib/stats/base/dists/negative-binomial/stdev/docs/types/index.d.ts
xml
2016-03-24T04:19:52
2024-08-16T09:03:19
stdlib
stdlib-js/stdlib
4,266
358
```xml <?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="path_to_url" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../Resources.resx"> <body> <trans-unit id="BreakingChangesFoundRegenerateSuppressionFileCommandHelp"> <source>API breaking changes found. If those are intentional, the APICompat suppression file can be updated by rebuilding with '/p:ApiCompatGenerateSuppressionFile=true'</source> <target state="translated">Changements cassants dAPI trouvs. Si elles sont intentionnelles, le fichier de suppression APICompat peut tre mis jour en reconstruisant avec '/p:ApiCompatGenerateSuppressionFile=true'</target> <note /> </trans-unit> <trans-unit id=your_sha256_hash> <source>Unnecessary suppressions found. The APICompat suppression file can be updated by rebuilding with '/p:ApiCompatGenerateSuppressionFile=true'</source> <target state="translated">Suppressions inutiles trouves. Le fichier de suppression APICompat peut tre mis jour en reconstruisant avec '/p:ApiCompatGenerateSuppressionFile=true'</target> <note /> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/src/Compatibility/ApiCompat/Microsoft.DotNet.ApiCompat.Task/xlf/Resources.fr.xlf
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
339
```xml import { tree } from '@fluentui/scripts-monorepo'; import { createProjectGraphAsync, readNxJson } from '@nx/devkit'; import * as yargs from 'yargs'; import { PublishArgs, publish } from './publish'; import { getNorthstarGroup } from './utils'; import { VersionArgs, version } from './version'; export async function main() { const { options, command, specifier } = processArgs(); const graph = await createProjectGraphAsync(); const nxConfig = readNxJson(tree); const northstarGroup = getNorthstarGroup(graph); if (!nxConfig) { throw new Error(`nx.json doesn't exist at root of workspace`); } if (command === 'version') { await version({ args: { specifier, ...options } as VersionArgs, graph, group: northstarGroup, nxConfig }); process.exit(0); } if (command === 'publish') { await publish({ args: options as PublishArgs, group: northstarGroup, nxConfig }); process.exit(0); } throw new Error('unknown command specified'); } function processArgs() { const args = yargs .version(false) // don't use the default meaning of version in yargs .scriptName('northstar-release') .command('version <specifier>', 'bump version', _yargs => { yargs .positional('specifier', { description: 'Explicit version specifier to use, if overriding conventional commits', type: 'string', choices: ['patch', 'minor'], demandOption: true, }) .option('dryRun', { alias: 'd', description: 'Whether or not to perform a dry-run of the release process, defaults to false', type: 'boolean', default: false, }) .option('verbose', { description: 'Whether or not to enable verbose logging, defaults to false', type: 'boolean', default: false, }); }) .command('publish', 'publish version to npm', _yargs => { yargs .option('dryRun', { alias: 'd', description: 'Whether or not to perform a dry-run of the release process, defaults to false', type: 'boolean', default: false, }) .option('verbose', { description: 'Whether or not to enable verbose logging, defaults to false', type: 'boolean', default: false, }); }) .demandCommand() .strict() .help().argv; const { _, $0, ...options } = args; const [command, specifier] = _; return { command, options, specifier }; } ```
/content/code_sandbox/scripts/fluentui-publish/src/cli.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
589
```xml import { FloorPipe } from './floor'; describe('FloorPipe', () => { let pipe: FloorPipe; beforeEach(() => { pipe = new FloorPipe(); }); it('should return floor of given number', () => { expect(pipe.transform(1.2345)).toEqual(1); expect(pipe.transform(1.2345)).toEqual(1); expect(pipe.transform(42.123)).toEqual(42); expect(pipe.transform(42.123, 1)).toEqual(42.1); expect(pipe.transform(42.4242, 2)).toEqual(42.42); expect(pipe.transform(42, -1)).toEqual(42); }); }); ```
/content/code_sandbox/src/ng-pipes/pipes/math/floor.spec.ts
xml
2016-11-24T22:03:44
2024-08-15T12:52:49
ngx-pipes
danrevah/ngx-pipes
1,589
147
```xml /** @jsxRuntime automatic */ /** @jsxImportSource @fluentui/react-jsx-runtime */ import { assertSlots } from '@fluentui/react-utilities'; import type { BreadcrumbDividerState, BreadcrumbDividerSlots } from './BreadcrumbDivider.types'; /** * Render the final JSX of BreadcrumbDivider */ export const renderBreadcrumbDivider_unstable = (state: BreadcrumbDividerState) => { assertSlots<BreadcrumbDividerSlots>(state); return <state.root />; }; ```
/content/code_sandbox/packages/react-components/react-breadcrumb/library/src/components/BreadcrumbDivider/renderBreadcrumbDivider.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
101
```xml import { ElementRef, Injectable } from '@angular/core'; import { HttpClient } from '@angular/common/http'; import { map, catchError } from 'rxjs/operators'; import { Observable, throwError as observableThrowError } from 'rxjs'; import { SystemCVEAllowlist, SystemInfo } from './interface'; import { CURRENT_BASE_HREF, HTTP_GET_OPTIONS, HTTP_JSON_OPTIONS, } from '../units/utils'; /** * Get System information about current backend server. * @abstract * class */ export abstract class SystemInfoService { /** * Get global system information. * @abstract * returns */ abstract getSystemInfo(): Observable<SystemInfo>; /** * get system CEVAllowlist */ abstract getSystemAllowlist(): Observable<SystemCVEAllowlist>; /** * update systemCVEAllowlist * @param systemCVEAllowlist */ abstract updateSystemAllowlist( systemCVEAllowlist: SystemCVEAllowlist ): Observable<any>; /** * set null to the date type input * @param ref */ abstract resetDateInput(ref: ElementRef); } @Injectable() export class SystemInfoDefaultService extends SystemInfoService { constructor(private http: HttpClient) { super(); } getSystemInfo(): Observable<SystemInfo> { let url = CURRENT_BASE_HREF + '/systeminfo'; return this.http.get(url, HTTP_GET_OPTIONS).pipe( map(systemInfo => systemInfo as SystemInfo), catchError(error => observableThrowError(error)) ); } public getSystemAllowlist(): Observable<SystemCVEAllowlist> { return this.http .get(CURRENT_BASE_HREF + '/system/CVEAllowlist', HTTP_GET_OPTIONS) .pipe( map( systemCVEAllowlist => systemCVEAllowlist as SystemCVEAllowlist ), catchError(error => observableThrowError(error)) ); } public updateSystemAllowlist( systemCVEAllowlist: SystemCVEAllowlist ): Observable<any> { return this.http .put( CURRENT_BASE_HREF + '/system/CVEAllowlist', JSON.stringify(systemCVEAllowlist), HTTP_JSON_OPTIONS ) .pipe( map(response => response), catchError(error => observableThrowError(error)) ); } public resetDateInput(ref: ElementRef) { if (ref) { ref.nativeElement.value = null; } } } ```
/content/code_sandbox/src/portal/src/app/shared/services/system-info.service.ts
xml
2016-01-28T21:10:28
2024-08-16T15:28:34
harbor
goharbor/harbor
23,335
522
```xml /** * @license * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ import type { Configuration } from "#src/datasource/zarr/codec/crc32c/resolve.js"; import { registerCodec } from "#src/datasource/zarr/codec/decode.js"; import { CodecKind } from "#src/datasource/zarr/codec/index.js"; import type { CancellationToken } from "#src/util/cancellation.js"; const checksumSize = 4; registerCodec({ name: "crc32c", kind: CodecKind.bytesToBytes, async decode( configuration: Configuration, encoded: Uint8Array, cancellationToken: CancellationToken, ): Promise<Uint8Array> { configuration; cancellationToken; if (encoded.length < checksumSize) { throw new Error( `Expected buffer of size at least ${checksumSize} bytes but received: ${encoded.length} bytes`, ); } // TODO(jbms): Actually verify checksum. return encoded.subarray(0, encoded.length - checksumSize); }, }); ```
/content/code_sandbox/src/datasource/zarr/codec/crc32c/decode.ts
xml
2016-05-27T02:37:25
2024-08-16T07:24:25
neuroglancer
google/neuroglancer
1,045
248
```xml export * from "./Player.js" export * from "./PlayerEvent.js" export * from "./SoundFontSynth.js" export * from "./SynthOutput.js" export * from "./renderAudio.js" ```
/content/code_sandbox/packages/player/src/index.ts
xml
2016-03-06T15:19:53
2024-08-15T14:27:10
signal
ryohey/signal
1,238
43
```xml import {Injectable} from '@angular/core'; import {NetworkService} from '../../../model/network/network.service'; import {IAutoCompleteItem} from '../../../../../common/entities/AutoCompleteItem'; import {GalleryCacheService} from '../cache.gallery.service'; import {SearchQueryParserService} from './search-query-parser.service'; import {BehaviorSubject} from 'rxjs'; import {SearchQueryTypes, TextSearchQueryTypes,} from '../../../../../common/entities/SearchQueryDTO'; import {QueryParams} from '../../../../../common/QueryParams'; import {SearchQueryParser} from '../../../../../common/SearchQueryParser'; @Injectable() export class AutoCompleteService { private keywords: string[] = []; private textSearchKeywordsMap: { [key: string]: SearchQueryTypes } = {}; private noACKeywordsMap: { [key: string]: SearchQueryTypes } = {}; // these commands do not have autocompete constructor( private networkService: NetworkService, private searchQueryParserService: SearchQueryParserService, private galleryCacheService: GalleryCacheService ) { this.keywords = Object.values(this.searchQueryParserService.keywords) .filter( (k) => k !== this.searchQueryParserService.keywords.or && k !== this.searchQueryParserService.keywords.and && k !== this.searchQueryParserService.keywords.portrait && k !== this.searchQueryParserService.keywords.kmFrom && k !== this.searchQueryParserService.keywords.NSomeOf && k !== this.searchQueryParserService.keywords.minRating && k !== this.searchQueryParserService.keywords.maxRating && k !== this.searchQueryParserService.keywords.minPersonCount && k !== this.searchQueryParserService.keywords.maxPersonCount && k !== this.searchQueryParserService.keywords.every_week && k !== this.searchQueryParserService.keywords.every_month && k !== this.searchQueryParserService.keywords.every_year && k !== this.searchQueryParserService.keywords.weeks_ago && k !== this.searchQueryParserService.keywords.days_ago && k !== this.searchQueryParserService.keywords.months_ago && k !== this.searchQueryParserService.keywords.years_ago && k !== this.searchQueryParserService.keywords.lastNDays ) .map((k) => k + ':'); this.keywords.push(this.searchQueryParserService.keywords.and); this.keywords.push(this.searchQueryParserService.keywords.or); for (let i = 0; i < 5; i++) { this.keywords.push( i + '-' + this.searchQueryParserService.keywords.NSomeOf + ':( )' ); } for (let i = 1; i < 3; i++) { this.keywords.push( this.searchQueryParserService.keywords.lastNDays.replace(/%d/g, i.toString()) + ':' ); } this.keywords.push( this.searchQueryParserService.keywords.to + ':' + SearchQueryParser.stringifyText(new Date().getFullYear().toString()) ); this.keywords.push( this.searchQueryParserService.keywords.to + ':' + SearchQueryParser.stringifyText( SearchQueryParser.stringifyDate(Date.now()) ) ); this.keywords.push( this.searchQueryParserService.keywords.from + ':' + SearchQueryParser.stringifyText(new Date().getFullYear().toString()) ); this.keywords.push( this.searchQueryParserService.keywords.from + ':' + SearchQueryParser.stringifyText( SearchQueryParser.stringifyDate(Date.now()) ) ); TextSearchQueryTypes.forEach((t) => { this.textSearchKeywordsMap[ (this.searchQueryParserService.keywords as any)[SearchQueryTypes[t]] ] = t; }); this.noACKeywordsMap[this.searchQueryParserService.keywords.minRating] = SearchQueryTypes.min_rating; this.noACKeywordsMap[this.searchQueryParserService.keywords.maxRating] = SearchQueryTypes.max_rating; this.noACKeywordsMap[this.searchQueryParserService.keywords.minPersonCount] = SearchQueryTypes.min_person_count; this.noACKeywordsMap[this.searchQueryParserService.keywords.maxPersonCount] = SearchQueryTypes.max_person_count; this.noACKeywordsMap[this.searchQueryParserService.keywords.minResolution] = SearchQueryTypes.min_resolution; this.noACKeywordsMap[this.searchQueryParserService.keywords.maxResolution] = SearchQueryTypes.max_resolution; } public autoComplete(text: { current: string; prev: string; }): BehaviorSubject<RenderableAutoCompleteItem[]> { const items: BehaviorSubject<RenderableAutoCompleteItem[]> = new BehaviorSubject( this.sortResults(text.current, this.getQueryKeywords(text)) ); const prefixType = this.getTypeFromPrefix(text.current); const searchText = this.getPrefixLessSearchText(text.current); if (searchText === '' || searchText === '.' || prefixType.noAc) { return items; } this.typedAutoComplete(searchText, text.current, prefixType.type, items); return items; } private typedAutoComplete( text: string, fullText: string, type: SearchQueryTypes, items?: BehaviorSubject<RenderableAutoCompleteItem[]> ): BehaviorSubject<RenderableAutoCompleteItem[]> { items = items || new BehaviorSubject([]); const cached = this.galleryCacheService.getAutoComplete(text, type); try { if (cached == null) { const acParams: any = {}; if (type) { acParams[QueryParams.gallery.search.type] = type; } this.networkService .getJson<IAutoCompleteItem[]>('/autocomplete/' + text, acParams) .then((ret) => { this.galleryCacheService.setAutoComplete(text, type, ret); items.next( this.sortResults( fullText, ret .map((i) => this.ACItemToRenderable(i, fullText)) .concat(items.value) ) ); }); } else { items.next( this.sortResults( fullText, cached .map((i) => this.ACItemToRenderable(i, fullText)) .concat(items.value) ) ); } } catch (e) { console.error(e); } return items; } public getPrefixLessSearchText(text: string): string { const tokens = text.split(':'); if (tokens.length !== 2) { return text; } // make sure autocomplete works for 'keyword:"' searches if (tokens[1].charAt(0) === '"' || tokens[1].charAt(0) === '(') { return tokens[1].substring(1); } return tokens[1]; } /** * Returns with the type or tells no autocompete recommendations from the server * @param text * @private */ private getTypeFromPrefix(text: string): { type?: SearchQueryTypes, noAc?: boolean } { const tokens = text.split(':'); if (tokens.length !== 2) { return {type: null}; } if ( new RegExp('^\\d*-' + this.searchQueryParserService.keywords.kmFrom).test( tokens[0] ) ) { return {type: SearchQueryTypes.distance}; } if (this.noACKeywordsMap[tokens[0]]) { return {type: this.noACKeywordsMap[tokens[0]], noAc: true}; } return {type: this.textSearchKeywordsMap[tokens[0]] || null}; } private ACItemToRenderable( item: IAutoCompleteItem, searchToken: string ): RenderableAutoCompleteItem { if (!item.type) { return {text: item.text, queryHint: item.text}; } if ( (TextSearchQueryTypes.includes(item.type) || item.type === SearchQueryTypes.distance) && item.type !== SearchQueryTypes.any_text ) { let queryHint = (this.searchQueryParserService.keywords as any)[ SearchQueryTypes[item.type] ] + ':"' + item.text + '"'; // if its a distance search, change hint text const tokens = searchToken.split(':'); if ( tokens.length === 2 && new RegExp( '^\\d*-' + this.searchQueryParserService.keywords.kmFrom ).test(tokens[0]) ) { queryHint = tokens[0] + ':"' + item.text + '"'; } return { text: item.text, type: item.type, queryHint, }; } return { text: item.text, type: item.type, queryHint: item.text, }; } private sortResults( text: string, items: RenderableAutoCompleteItem[] ): RenderableAutoCompleteItem[] { const textLC = text.toLowerCase(); // Source: path_to_url const isStartRgx = new RegExp('(\\s|^)' + textLC.replace(/[.*+?^${}()|[\]\\]/g, '\\$&'), 'i'); return items.sort((a, b) => { const aLC = a.text.toLowerCase(); const bLC = b.text.toLowerCase(); const basicCompare = () => { // prioritize persons higher if (a.type !== b.type) { if (a.type === SearchQueryTypes.person) { return -1; } else if (b.type === SearchQueryTypes.person) { return 1; } } return aLC.localeCompare(bLC); }; // both starts with the searched string if (aLC.startsWith(textLC) && bLC.startsWith(textLC)) { return basicCompare(); // none starts with the searched string } else if (!aLC.startsWith(textLC) && !bLC.startsWith(textLC)) { if ((isStartRgx.test(aLC) && isStartRgx.test(bLC)) || (!isStartRgx.test(aLC) && !isStartRgx.test(bLC))) { return basicCompare(); } else if (isStartRgx.test(aLC)) { return -1; } return 1; // one of them starts with the searched string } else if (aLC.startsWith(textLC)) { return -1; } return 1; }); } private getQueryKeywords(text: { current: string; prev: string; }): RenderableAutoCompleteItem[] { // if empty, recommend "and" if (text.current === '') { if (text.prev !== this.searchQueryParserService.keywords.and) { return [ { text: this.searchQueryParserService.keywords.and, queryHint: this.searchQueryParserService.keywords.and, notSearchable: true, }, ]; } else { return []; } } const generateMatch = (key: string) => ({ text: key, queryHint: key, notSearchable: true, }); const ret = this.keywords .filter((key) => key.startsWith(text.current.toLowerCase())) .map(generateMatch); // make KmFrom sensitive to all positive distances const starterNum = parseInt(text.current); if (starterNum > 0) { const key = starterNum + '-' + this.searchQueryParserService.keywords.kmFrom + ':'; if (key.startsWith(text.current.toLowerCase())) { ret.push(generateMatch(key)); } } const addRangeAutoComp = (minStr: string, maxStr: string, minRange: number, maxRange: number) => { // only showing rating recommendations of the full query is typed const mrKey = minStr + ':'; const mxrKey = maxStr + ':'; if (text.current.toLowerCase().startsWith(mrKey)) { for (let i = minRange; i <= maxRange; ++i) { ret.push(generateMatch(mrKey + i)); } } else if (mrKey.startsWith(text.current.toLowerCase())) { ret.push(generateMatch(mrKey)); } if (text.current.toLowerCase().startsWith(mxrKey)) { for (let i = minRange; i <= maxRange; ++i) { ret.push(generateMatch(mxrKey + i)); } } else if (mxrKey.startsWith(text.current.toLowerCase())) { ret.push(generateMatch(mxrKey)); } }; addRangeAutoComp(this.searchQueryParserService.keywords.minRating, this.searchQueryParserService.keywords.maxRating, 1, 5); addRangeAutoComp(this.searchQueryParserService.keywords.minPersonCount, this.searchQueryParserService.keywords.maxPersonCount, 0, 9); // Date patterns if (new RegExp('^' + SearchQueryParser.humanToRegexpStr(this.searchQueryParserService.keywords.lastNDays) + '!?:$', 'i') .test(text.current) || new RegExp('^' + this.searchQueryParserService.keywords.sameDay + '!?:$', 'i') .test(text.current)) { ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.every_week)); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.every_month)); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.every_year)); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.days_ago.replace(/%d/g, '2'))); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.weeks_ago.replace(/%d/g, '2'))); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.months_ago.replace(/%d/g, '2'))); ret.push(generateMatch(text.current + this.searchQueryParserService.keywords.years_ago.replace(/%d/g, '2'))); } return ret; } } export interface RenderableAutoCompleteItem extends IAutoCompleteItem { queryHint: string; notSearchable?: boolean; // prevent triggering search if it is not a full search term } ```
/content/code_sandbox/src/frontend/app/ui/gallery/search/autocomplete.service.ts
xml
2016-03-12T11:46:41
2024-08-16T19:56:44
pigallery2
bpatrik/pigallery2
1,727
3,008